├── README.md ├── SIT.py ├── dataset ├── business └── politics ├── errorsbing.md └── errorsgoogle.md /README.md: -------------------------------------------------------------------------------- 1 | ## Note: This repository has been migrated to [RobustNLP/TestTranslation](https://github.com/RobustNLP/TestTranslation) 2 | 3 | 4 | -------------------------------------------------------------------------------- /SIT.py: -------------------------------------------------------------------------------- 1 | from nltk.parse import CoreNLPDependencyParser 2 | import jieba 3 | import nltk 4 | import Levenshtein 5 | from nltk.data import find 6 | import numpy as np 7 | from google.cloud import translate 8 | import torch 9 | from pytorch_pretrained_bert import BertTokenizer, BertModel, BertForMaskedLM 10 | import string 11 | from nltk.tokenize.treebank import TreebankWordTokenizer, TreebankWordDetokenizer 12 | import time 13 | import pickle 14 | import os, requests, uuid, json 15 | 16 | 17 | # Bing translation 18 | def bingtranslate(api_key, text, language_from, language_to): 19 | # If you encounter any issues with the base_url or path, make sure 20 | # that you are using the latest endpoint: https://docs.microsoft.com/azure/cognitive-services/translator/reference/v3-0-translate 21 | base_url = 'https://api.cognitive.microsofttranslator.com' 22 | path = '/translate?api-version=3.0' 23 | params = '&language='+ language_from +'&to=' + language_to 24 | constructed_url = base_url + path + params 25 | 26 | headers = { 27 | 'Ocp-Apim-Subscription-Key': api_key, 28 | 'Content-type': 'application/json', 29 | 'X-ClientTraceId': str(uuid.uuid4()) 30 | } 31 | if type(text) is str: 32 | text = [text] 33 | 34 | body = [{'text': x} for x in text] 35 | # You can pass more than one object in body. 36 | 37 | request = requests.post(constructed_url, headers=headers, json=body) 38 | response = request.json() 39 | 40 | return [i["translations"][0]["text"] for i in response] 41 | 42 | 43 | # Generate a list of similar sentences by Bert 44 | def perturb(sent, bertmodel, num): 45 | tokens = tokenizer.tokenize(sent) 46 | pos_inf = nltk.tag.pos_tag(tokens) 47 | 48 | # the elements in the lists are tuples 49 | bert_masked_indexL = list() 50 | 51 | # collect the token index for substitution 52 | for idx, (word, tag) in enumerate(pos_inf): 53 | # substitute the nouns and adjectives; you could easily substitue more words by modifying the code here 54 | if (tag.startswith('NN') or tag.startswith('JJ')): 55 | tagFlag = tag[:2] 56 | 57 | # we do not perturb the first and the last token because BERT's performance drops on for those positions 58 | if (idx!=0 and idx!=len(tokens)-1): 59 | bert_masked_indexL.append((idx, tagFlag)) 60 | 61 | bert_new_sentences = list() 62 | 63 | # generate similar setences using Bert 64 | if bert_masked_indexL: 65 | bert_new_sentences = perturbBert(sent, bertmodel, num, bert_masked_indexL) 66 | 67 | return bert_new_sentences 68 | 69 | 70 | def perturbBert(sent, bertmodel, num, masked_indexL): 71 | new_sentences = list() 72 | tokens = tokenizer.tokenize(sent) 73 | 74 | invalidChars = set(string.punctuation) 75 | 76 | # for each idx, use Bert to generate k (i.e., num) candidate tokens 77 | for (masked_index, tagFlag) in masked_indexL: 78 | original_word = tokens[masked_index] 79 | 80 | low_tokens = [x.lower() for x in tokens] 81 | low_tokens[masked_index] = '[MASK]' 82 | 83 | # try whether all the tokens are in the vocabulary 84 | try: 85 | indexed_tokens = berttokenizer.convert_tokens_to_ids(low_tokens) 86 | tokens_tensor = torch.tensor([indexed_tokens]) 87 | prediction = bertmodel(tokens_tensor) 88 | 89 | # skip the sentences that contain unknown words 90 | # another option is to mark the unknow words as [MASK]; we skip sentences to reduce fp caused by BERT 91 | except KeyError as error: 92 | print ('skip a sentence. unknown token is %s' % error) 93 | break 94 | 95 | # get the similar words 96 | topk_Idx = torch.topk(prediction[0, masked_index], num)[1].tolist() 97 | topk_tokens = berttokenizer.convert_ids_to_tokens(topk_Idx) 98 | 99 | # remove the tokens that only contains 0 or 1 char (e.g., i, a, s) 100 | # this step could be further optimized by filtering more tokens (e.g., non-english tokens) 101 | topk_tokens = list(filter(lambda x:len(x)>1, topk_tokens)) 102 | 103 | # generate similar sentences 104 | for t in topk_tokens: 105 | if any(char in invalidChars for char in t): 106 | continue 107 | tokens[masked_index] = t 108 | new_pos_inf = nltk.tag.pos_tag(tokens) 109 | 110 | # only use the similar sentences whose similar token's tag is still NN or JJ 111 | if (new_pos_inf[masked_index][1].startswith(tagFlag)): 112 | new_sentence = detokenizer.detokenize(tokens) 113 | new_sentences.append(new_sentence) 114 | 115 | tokens[masked_index] = original_word 116 | 117 | return new_sentences 118 | 119 | # calculate the distance between 120 | def depDistance(graph1, graph2): 121 | 122 | # count occurences of each type of relationship 123 | counts1 = dict() 124 | for i in graph1: 125 | counts1[i[1]] = counts1.get(i[1], 0) + 1 126 | 127 | counts2 = dict() 128 | for i in graph2: 129 | counts2[i[1]] = counts2.get(i[1], 0) + 1 130 | 131 | all_deps = set(list(counts1.keys()) + list(counts2.keys())) 132 | diffs = 0 133 | for dep in all_deps: 134 | diffs += abs(counts1.get(dep,0) - counts2.get(dep,0)) 135 | return diffs 136 | 137 | 138 | 139 | 140 | ######################################################################################################## 141 | # Main code 142 | ######################################################################################################## 143 | 144 | 145 | # initialize the dependency parser 146 | chi_parser = CoreNLPDependencyParser('http://localhost:9001') 147 | 148 | # use nltk treebank tokenizer and detokenizer 149 | tokenizer = TreebankWordTokenizer() 150 | detokenizer = TreebankWordDetokenizer() 151 | 152 | # BERT initialization 153 | berttokenizer = BertTokenizer.from_pretrained('bert-large-uncased') 154 | bertmodel = BertForMaskedLM.from_pretrained('bert-large-uncased') 155 | bertmodel.eval() 156 | 157 | # initialize the Google translate client 158 | translate_client = translate.Client() 159 | 160 | print ('initialized') 161 | 162 | # source language: English; target language: Chinese 163 | source_language = 'en' 164 | target_language = 'zh-CN' 165 | 166 | # parameters 167 | num_of_perturb = 10 # number of generated similar words for a given position 168 | distance_threshold = 0.0 # the distance threshold in "translation error detection via structure comparison" 169 | issue_threshold = 3 # how many output issues 170 | sentenceBount = 10000 # an upperbound to avoid translating too many sentences 171 | apikey = '' # the apikey for Bing Microsoft Translator 172 | 173 | dataset = 'politics' 174 | software = 'bing' 175 | output_file = 'results_'+dataset+'_'+software+'.txt' 176 | write_output = open(output_file, 'w') 177 | 178 | sent_count = 0 179 | issue_count = 0 180 | 181 | 182 | # load the input source sentences 183 | origin_source_sentsL = [] 184 | with open('./data/'+dataset) as file: 185 | for line in file: 186 | origin_source_sentsL.append(line.strip()) 187 | 188 | 189 | origin_target_sentsL = [] 190 | origin_target_sentsL_seg = [] 191 | # translate the input source sentences 192 | if software=='bing': 193 | # Bing translate 194 | for source_sent in origin_source_sentsL: 195 | target_sent = bingtranslate(apikey, source_sent, 'en', 'zh-Hans')[0] 196 | origin_target_sentsL.append(target_sent) 197 | 198 | target_sent_seg = ' '.join(jieba.cut(target_sent)) 199 | origin_target_sentsL_seg.append(target_sent_seg) 200 | 201 | sent_count += 1 202 | else: 203 | #Google translate 204 | for source_sent in origin_source_sentsL: 205 | translation = translate_client.translate( 206 | source_sent, 207 | target_language=target_language, 208 | source_language=source_language) 209 | target_sent = translation['translatedText'] 210 | origin_target_sentsL.append(target_sent) 211 | 212 | target_sent_seg = ' '.join(jieba.cut(target_sent)) 213 | origin_target_sentsL_seg.append(target_sent_seg) 214 | 215 | sent_count += 1 216 | 217 | 218 | # parse the segmented original target sentences to obtain dependency parse trees 219 | origin_target_treesL = [i for (i,) in chi_parser.raw_parse_sents(origin_target_sentsL_seg, properties={'ssplit.eolonly': 'true'})] 220 | 221 | print ('input sentences translated and parsed.') 222 | 223 | 224 | # For each input source sentence, generate a list of similar sentences to test 225 | for idx, origin_source_sent in enumerate(origin_source_sentsL): 226 | #To avoid exceeding the user limit by Google; for Bing, this can be commented 227 | # time.sleep(4) 228 | 229 | print (idx, origin_source_sent) 230 | 231 | origin_target_sent = origin_target_sentsL[idx] 232 | origin_target_tree = origin_target_treesL[idx] 233 | 234 | suspicious_issues = list() 235 | 236 | # Get the perturbed sentences 237 | new_source_sentsL = perturb(origin_source_sent, bertmodel, num_of_perturb) 238 | 239 | if len(new_source_sentsL)==0: 240 | continue 241 | 242 | print ('number of sentences: ', len(new_source_sentsL)) 243 | 244 | 245 | new_target_sentsL = list() 246 | new_target_sents_segL = list() 247 | 248 | if software=='bing': 249 | # Bing translate 250 | for new_source_sent in new_source_sentsL: 251 | new_target_sent = bingtranslate(apikey, new_source_sent, 'en', 'zh-Hans')[0] 252 | new_target_sentsL.append(new_target_sent) 253 | 254 | new_target_sent_seg = ' '.join(jieba.cut(new_target_sent)) 255 | new_target_sents_segL.append(new_target_sent_seg) 256 | 257 | sent_count += 1 258 | else: 259 | #Google translate 260 | for new_source_sent in new_source_sentsL: 261 | translation = translate_client.translate( 262 | new_source_sent, 263 | target_language=target_language, 264 | source_language=source_language) 265 | new_target_sent = translation['translatedText'] 266 | new_target_sentsL.append(new_target_sent) 267 | 268 | new_target_sent_seg = ' '.join(jieba.cut(new_target_sent)) 269 | new_target_sents_segL.append(new_target_sent_seg) 270 | 271 | sent_count += 1 272 | 273 | print('new source sentences translated') 274 | 275 | # Get the parse tree of the perturbed sentences 276 | new_target_treesL = [target_tree for (target_tree, ) in chi_parser.raw_parse_sents(new_target_sents_segL, properties={'ssplit.eolonly': 'true'})] 277 | assert(len(new_target_treesL) == len(new_source_sentsL)) 278 | print('new target sentences parsed') 279 | 280 | for (new_source_sent, new_target_sent, new_target_tree) in zip(new_source_sentsL, new_target_sentsL, new_target_treesL): 281 | distance = depDistance(origin_target_tree.triples(), new_target_tree.triples()) 282 | 283 | if distance > distance_threshold: 284 | suspicious_issues.append((new_source_sent, new_target_sent, distance)) 285 | print('distance calculated') 286 | 287 | 288 | # clustering by distance for later sorting 289 | suspicious_issues_cluster = dict() 290 | for (new_source_sent, new_target_sent, distance) in suspicious_issues: 291 | if distance not in suspicious_issues_cluster: 292 | new_cluster = [(new_source_sent, new_target_sent)] 293 | suspicious_issues_cluster[distance] = new_cluster 294 | else: 295 | suspicious_issues_cluster[distance].append((new_source_sent, new_target_sent)) 296 | print('clustered') 297 | 298 | # if no suspicious issues 299 | if len(suspicious_issues_cluster) == 0: 300 | continue 301 | 302 | issue_count += 1 303 | 304 | write_output.write(f'ID: {issue_count}\n') 305 | write_output.write('Source sent:\n') 306 | write_output.write(origin_source_sent) 307 | write_output.write('\nTarget sent:\n') 308 | write_output.write(origin_target_sent) 309 | write_output.write('\n\n') 310 | 311 | # sort by distance, from large to small 312 | sorted_keys = sorted(suspicious_issues_cluster.keys()) 313 | sorted_keys.reverse() 314 | 315 | remaining_issue = issue_threshold 316 | # Output the top k sentences 317 | for distance in sorted_keys: 318 | if remaining_issue == 0: 319 | break 320 | candidateL = suspicious_issues_cluster[distance] 321 | if len(candidateL) <= remaining_issue: 322 | remaining_issue -= len(candidateL) 323 | for candidate in candidateL: 324 | write_output.write('Distance: %f\n' % (distance)) 325 | write_output.write(candidate[0] + '\n' + candidate[1] + '\n') 326 | else: 327 | sortedL = sorted(candidateL, key=lambda x: len(x[1])) 328 | issue_threshold_current = remaining_issue 329 | for i in range(issue_threshold_current): 330 | write_output.write('Distance: %f\n' % (distance)) 331 | write_output.write(sortedL[i][0] + '\n' + sortedL[i][1] + '\n') 332 | remaining_issue -= 1 333 | write_output.write('\n') 334 | 335 | print('result outputed') 336 | 337 | # stop when translating too many sentences (avoid costing too much) 338 | if sent_count>sentenceBount: 339 | print (f'More than {sentenceBount} sentence.') 340 | break 341 | 342 | write_output.close() 343 | -------------------------------------------------------------------------------- /dataset/business: -------------------------------------------------------------------------------- 1 | The old rule started to seem dated and out of place. 2 | The Commission ordered the company to pay €4.34 billion ($4.9 billion) in July 2018 for unfairly pushing its apps on smartphone users and thwarting competitors. 3 | Imagine if you're a very large retailer that has a large number of locations, said Martin Fleming, chief economist at IBM. 4 | Sewing may find some support for a merger among European regulators who argue the region has too many banks. 5 | I really believe that you see a lot of innovation coming from other parts of the world. 6 | I do not care if it ' s Marc Andreessen or Ben Horowitz, or anyone who is extremely famous or well accomplished, who disagrees with me. 7 | They left out that the pilots were not trained to handle it. 8 | When you're in the company, it ' s very clear that you're changing peoples' minds. 9 | I am very willing to share my point of view. 10 | Critics say the plan has not resolved longstanding questions over the future of Deutsche ' s investment bank, which delivers volatile returns and has lost ground to Wall Street rivals. 11 | For many academics, there ' s a downside to that: Private companies now create and control much of the raw material necessary to understand the modern world. 12 | Holmes settled with the SEC, agreeing to pay a fine and give up her voting control over Theranos, but she and the company did not admit to any wrongdoing. 13 | A lawyer for Elizabeth Holmes declined to comment for this story. 14 | Since getting his PhD at the University of Minnesota in 1993, he has churned out papers on subjects like home prices, government procurement, auctions and collusion. 15 | You should be agonizingly jealous of the sorts of problems we work on and the almost anxiety provoking magnitude of data with which we get to work. 16 | Tired of hearing that she was too introverted, Chan pushed herself out of her comfort zone when she started attending Stanford University for undergrad. 17 | The cool confidence Chan has become known for did not always come easily. 18 | It declined to ground the jet. 19 | The employee, who has since taken a new job, admits this time off was a luxury most may not have had. 20 | The headlines in the papers called it the 'Deadly 727.' 21 | An endless job search compounded by fears of being blacklisted by certain businesses. 22 | Other tech companies that also make effective use of economists — like Uber, which has a 30 person team — speak with frank admiration of the apparatus Amazon has built. 23 | They kind of make the point that economists have more specific skill sets that are better suited for a lot of business problems, the former Amazon staffer said. 24 | And do not forget about your body language when receiving the compliment. 25 | From our perspective, this potential merger would not create a business model that is sustainable long term, added Duscheck, who is a member of Deutsche Bank ' s supervisory board. 26 | And probing questions from outsiders on how they could ever have worked at the disgraced company. 27 | The investigators were right that the airplane itself was safe. 28 | Patrick O'Neill, the former chief creative officer at Theranos from 2014 to 2017, said he has removed much of his promotional work for the company from his professional website. 29 | From November 2016 to September 2018, the company was hit with five discrimination lawsuits and charges from civil rights and labor organizations, workers and individuals. 30 | First, proper training for pilots who are flying new aircraft is crucially important. 31 | Advertisers who are not creating housing, employment or credit ads will still be able to target users based on those categories. 32 | Unlike economists in academia or government, the work of Amazon ' s economists is almost entirely secret, and staff are required to sign non disclosure agreements to keep it that way. 33 | Anxiety over flying on Boeing ' s 737 Max planes reached a fever pitch after the crash in Ethiopia. 34 | And happily, I was not in the book. 35 | As the day draws nearer, we need to recognize that there are risks that are out of the sector ' s control, said Omar Ali, head of UK financial services at EY. 36 | A simple response of thank you very much, I appreciate you saying that or thank you, I worked very hard on it can suffice. 37 | But some former employees say they too were left in the dark, both about the viability of the technology and the financial health of the company. 38 | Daryl Fairweather joined the company soon after receiving her PhD in economics from the University of Chicago in 2014. 39 | They're doing something completely different. 40 | The other big draw: Even though the work Amazon ' s economists do may never see the light of day, within the company, it influences decisions that affect millions of people. 41 | The number of jobs that will be relocated out of the United Kingdom in the near future stands at 7,000, according to EY. 42 | It is believed in the field that Amazon employs more PhD economists than any other tech company. 43 | They are in charge of their routines, and they can find all the information they need from their friends or from other women in the world and online. 44 | Feedback, both negative and positive, should be a frequent occurrence in the workplace. 45 | The former employee is now looking for new career opportunities outside their field of expertise after hitting a road block in the job search. 46 | But Boeing did get past the 727 crisis. 47 | A merger is one potential way forward; other options include a complete retreat from Wall Street (more likely) or major new investment in the investment bank (less likely). 48 | And this would take us closer to our goal of a truly European banking sector. 49 | When you do not acknowledge the positive feedback you have been given, it will contribute unconsciously to the narrative that you are not as capable as you might really be, said Aced Molina. 50 | Three months later, Holmes was indicted on federal wire fraud charges and stepped down from Theranos. 51 | According to the Commission, Google blocked its rivals from placing advertisements on third party websites by imposing exclusivity clauses in AdSense contracts. 52 | I've taken on this kind of 'why not' attitude. 53 | I think a lot of us were in denial, said another former employee who continued working at the company after the Wall Street Journal story. 54 | Public concern about aircraft that have crashed is typically short lived, said aviation author and historian Brian Baum. 55 | You could interview for lots of jobs at the same time, said Fairweather, who left Amazon in 2018 to become the chief economist for the real estate website Redfin. 56 | The key to accepting praise at work is to show you received it and appreciate it. 57 | Because if you're writing an economics paper, you're studying things like the impact of the minimum wage, often without the luxury of running experiments. 58 | Glossier ' s two brick and mortar stores are full of Instagram friendly decor throughout the space, which encourage visitors to take photos and share them on social media. 59 | Economists can come close to an answer, enabling the company to make better decisions about which benefits to include and which to scrap. 60 | Google now says it has about 300 economists and statisticians on staff, though it would not give a more detailed breakdown. 61 | The duration was reflected in the size of the fine, she added. 62 | It eventually sold 1,831 of the jets, nearly twice as many as the rival DC 9. 63 | Sunday ' s announcement triggered immediate pushback from staff representatives, who occupy half the seats on Deutsche Bank ' s supervisory board. 64 | But instead of feeling isolated, I've found it to be helpful in certain cases, she said. 65 | But any combination would be opposed by the powerful labor unions and closely examined by EU regulators who may prefer a cross border merger that could strengthen Europe ' s financial system. 66 | She enrolled in a public speaking class, studied how to project her voice more and even tried out — and toured with — an a capella group. 67 | It can give employee ' s clarity, increase productivity and morale and help to avoid any tension or confusion. 68 | Another ProPublica report in November 2017 found discriminatory advertisements were getting through Facebook ' s systems. 69 | Those doors right now are closed, the former employee said. 70 | The most junior economists can present their research before senior vice presidents, and they're evaluated on how their recommendations impact the company ' s bottom line. 71 | At its peak in 2014, the blood testing startup was a darling of Silicon Valley. 72 | In 2010, Weiss started a popular blog called Into the Gloss with beauty tips, trends and tutorials. 73 | The Bank of England has said the fallout from that scenario would be worse than the 2008 financial crisis. 74 | The move to abolish the rule was seen by many as a crucial step away from the perceived boys' club culture on Sand Hill Road. 75 | During a four month period in late 1965 and early 1966, four new Boeing 727 jets crashed. 76 | There were a lot of calls for grounding it, said Bill Waldock, professor at Embry Riddle Aeronautical University and head of the school ' s crash lab. 77 | In the summer of 2016, months after the first Wall Street Journal report and more than a decade after the company ' s founding, Theranos still employed between 700 and 900 people. 78 | But if panic persisted and airlines were unwilling to buy it, the future of Boeing would be in jeopardy. 79 | May is now asking the European Union to delay Brexit until June 30. 80 | Holmes pleaded not guilty to the charges of wire fraud and conspiracy to commit wire fraud. 81 | According to a 2018 Harvard Business School study, venture capital firms that increased the number of female partners they hired by even 10% saw a bump in overall fund returns. 82 | Before, economists used to work on public data. 83 | We tend to deflect or interrupt a lot quicker. 84 | Throughout her career, Chan has often been one of the only women in the room. 85 | The folks at Amazon are not doing the same sort of traditional chief economist ' s role. 86 | And now, if they want to study behavior, the tech companies have it, and it ' s proprietary. 87 | Within a week of trying the platform, Chan was convinced the firm should invest. 88 | Other decisions — like how to target ads, where to put bookstores and warehouses, and how much an Echo device should cost — are also vetted by economists. 89 | Anxious gossip about who is and is not mentioned in the latest news reports. 90 | The ultimate scale of the exodus is likely to depend on the terms of the divorce and when it occurs. 91 | If that does not happen, the chances of the country crashing out of the bloc without a transitional deal on March 29 increase. 92 | It ' s not good form to reject something someone gave us, it ' s better to say thank you and receive it graciously, said Dudley. 93 | In addition, Facebook will add more certification and education requirements globally about how to prevent discrimination and ensure advertisers are aware of its policies. 94 | Deutsche Bank investors are running out of patience. 95 | in their LinkedIn profiles. 96 | At the time, Facebook said age based targeting is an accepted industry practice. 97 | Actress Jennifer Lawrence is also expected to star as Holmes in a movie based on Bad Blood. 98 | Housing, employment, and credit ads are crucial to helping people buy new homes, start great careers, and gain access to credit. 99 | Since then, the ex employee has been rejected for multiple jobs and is still searching. 100 | Once hired, research questions were everywhere. 101 | -------------------------------------------------------------------------------- /dataset/politics: -------------------------------------------------------------------------------- 1 | Meanwhile, blacks and Latinos are primarily funneled into underfunded and overcrowded bottom tier, open access colleges. 2 | Brazilian President Jair Bolsonaro sat for chummy bilateral talks with Trump that illustrated what White House officials hope is a budding partnership between the Western hemisphere ' s two largest economies. 3 | Gavin Newsom ' s first budget proposed extending that to a second year. 4 | And in the wake of the New Zealand tragedy, I want to make one thing very clear: we will not permit such hate in the homeland, she added. 5 | Children in the top 1% of families were 77 times more likely to attend these institutions than children from parents in the bottom fifth of earners, the analysis found. 6 | Mueller also received approval on two separate occasions to track the numbers of Cohen ' s incoming and outgoing calls. 7 | The court correctly holds that the Executive Branch ' s detention of the particular non citizens here remained mandatory even though the Executive Branch did not immediately detain them. 8 | Except it did not destroy Trump. 9 | Harley Davidson, stuck in the middle, said it could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs. 10 | There ' s zero hostility with me. 11 | Let ' s take a step back here and think of what happened here in Washington on Tuesday. 12 | But even so, they remain bastions of privilege. 13 | The Census Bureau estimates they will reach a majority of the under 18 population around 2020. 14 | The UC Latino students are 25 times more likely to finish their degrees on time than Latinos in the community college system. 15 | But it would keep the new investment in Michigan and focus there on self driving vehicles, according to reports. 16 | Meanwhile, whites still fill most of the seats at the most selective institutions, which spend the most on their students. 17 | The Marijuana Policy Project, a group which seeks to decriminalize marijuana, said the law is a great step forward and provides patients with more treatment options. 18 | I have always said to my friends that focusing just on affirmative action ... is not a solution. 19 | Then, just hours after the terrorist attacks in 2001, he witnessed a wartime President Bush as he comforted staffers aboard Air Force One. 20 | We see China doing that. 21 | Alito said that the law did not support their argument. 22 | I had a story to tell and I wanted to finish it, Draper says. 23 | They do not know what to do with him! 24 | Trump promised that if he were elected, the company would stay. 25 | We, too, have seen the face of such evil with attacks in places such as Charlottesville, Pittsburgh, and Charleston. 26 | And attacking a dead man who spent five years as a prisoner of war and another three decades serving the country in elected office, is simply wrong. 27 | The search warrants released Tuesday say that the special counsel ' s office referred certain aspects of its investigation into Cohen to the New York based US Attorney ' s Office. 28 | During a question and answer session, however, Nielsen added that other nation states have adopted a more visible approach to doing the same. 29 | In these top tier public schools, African American and Latino students compose only 19% of the entering class. 30 | In a series of pointed tweets, Trump said the economy is good, so Chevy should keep the plant, the closure of which was announced back in November. 31 | The idling of the General Motors plant in Lordstown, Ohio, is what has angered Trump at the moment. 32 | Trump has not repaired his relationship with Bannon after a bitter split, people familiar with the two men say. 33 | When asked about the threat from drones, Nielsen said during the Super Bowl the department tried out new defenses and confirmed that we did see drones. 34 | Mueller also received warrant approvals on November 7, 2017, and January 4, 2018, to track the numbers of Cohen ' s incoming and outgoing phone calls and other phone call metadata. 35 | The situation at the southern border, which started as a crisis, is now a near system wide meltdown. 36 | He was joined by Justices Ruth Bader Ginsburg, Elena Kagan and Sonia Sotomayor. 37 | After pleading guilty in the Manhattan probe, Cohen also later pleaded guilty to lying to Congress in a case brought by Mueller ' s investigators. 38 | It ' s been a long time in the making. 39 | Through his lens, Draper witnessed what he calls a sense of innocence from the pre 9/11 President Bush, a man who enjoyed driving his pickup truck around the family ranch. 40 | Nielsen said the most serious cyber threats are those aimed at the heart of democracy. 41 | But parents of undergraduates and graduate students face no such limits, and can borrow as much as they need with the price tag set by schools. 42 | From an equity perspective, this is just the tip of the iceberg, says Anthony Carnevale, director of the Center on Education and the Workforce at Georgetown University. 43 | He campaigned on repealing and replacing Obamacare for years and then he got to a vote and he said thumbs down. 44 | Breyer said far more was at issue in the case than the technical meaning of the words in the immigration statute. 45 | Instead, in describing to a federal judge the probable cause they had to investigate Cohen ' s campaign finance scheme, investigators write almost 20 pages of detail that are all redacted. 46 | The South has emerged as a hub of new auto manufacturing by foreign makers thanks to lower manufacturing costs and less powerful unions. 47 | We see Iran doing that. 48 | He said the greater importance of the case lies in the power that the majority opinion grants to the government. 49 | Mueller ' s search warrant justifications related to Cohen that were provided to DC federal court are not yet public. 50 | They will love the wringing of hands and woe is me reaction by who they believe to be elites. 51 | A year later, in December of 2017, Ford again shifted plans and announced it would make those electric cars in Mexico after all. 52 | It ' s not just a matter of sending money their way. 53 | Now it will utilize the site to make smaller flat screen panels than originally anticipated. 54 | Whites compose only 54% of the college age population. 55 | I think drones is a great example of where technology itself is not good or bad. 56 | And they loved it. 57 | Trump was not afraid of slaughtering a sacred cow or all the sacred cows! 58 | I am very concerned about whether these institutions are doing a good enough job at getting these students to graduation. 59 | Covering a memorial service in the nation ' s capital and then traveling to Texas for another service as well as a funeral train was an honor, he says. 60 | GM has routinely drawn Trump ' s scorn even as Ford has gotten his praise. 61 | It says, he thinks, that he will not let the rules that past crappy politicians have lived by govern him. 62 | President Bush never took himself too seriously. 63 | Cohen is scheduled to report to prison on May 6. 64 | Trump, then President elect, was pleased. 65 | It ' s a shame what ' s happening in Venezuela, the death and the destruction and the hunger. 66 | The system is breaking. 67 | He was still an asterisk in most polling. 68 | Asians represented 12% of the students at the selective public schools and just 5% at the less selective institutions. 69 | But after being sued by attorneys general from 18 states and the District of Columbia, a court ordered DeVos to implement the rule and forgive $150 million in student debt. 70 | But what Trump ' s comments about McCain should remind us of is this: Whether there is political gain to be found in dishonoring a lifelong public servant, it is simply wrong. 71 | In public schools, the fight may center on other fronts. 72 | Young people of color became a majority of K 12 public school students in 2014. 73 | Ultimately, Preap was released from immigration custody but he remains the lead plaintiff for a class of others with similar complaints. 74 | But only 6% of them attend private institutions, and though the elite University of California system has significantly increased its Latino enrollment, just 4% attend one of those campuses. 75 | The named plaintiff, Mony Preap, was born in a refugee camp after his family fled Cambodia ' s Khmer Rouge. 76 | It ' s certainly true that the number of manufacturing jobs has increased. 77 | Here ' s what I know: These latest comments will cause zero erosion in Trump ' s support among his hardcore backers. 78 | The two men have also both taken advice from Steve Bannon, the former White House senior adviser who broke with Trump after leaving the White House in 2017. 79 | And he pointed out that Toyota, the Japanese company, is investing in the US by opening new plants. 80 | The proposals came out of the National Council for the American Worker, which President Donald Trump created last year. 81 | The most elite public universities admit a considerably larger percentage of students from lower income backgrounds than do the elite private schools. 82 | Looking back at the experience of a lifetime, Draper says he accomplished what he set out to do during his eight years with Bush. 83 | Entering talks, Brazil hoped to see itself elevated to major non NATO ally status by the Trump administration, a major step that would help it purchase military equipment. 84 | It was his tariffs on steel and aluminum that caused frustration between Trump and Harley Davidson, the iconic American motorcycle manufacturer based in Wisconsin. 85 | His trip to Washington was Bolsonaro ' s first overseas bilateral visit, an honor White House officials say illustrates the new president ' s commitment to fostering US ties. 86 | Today, I am more worried about the ability of bad guys to hijack our networks than their ability to hijack our flights, she said. 87 | And our country would've saved a trillion dollars and we would've had great healthcare. 88 | But the owner of Carrier, United Technologies, said it would still move some production to Mexico. 89 | Draper spent eight Christmases with the Bush family and became very close with them. 90 | But those schools represent only a small sliver of the higher education landscape. 91 | Mueller ' s team then handed over that data to the Manhattan federal prosecutors, and the Manhattan prosecutors also sought additional information filtered out of the Mueller searches. 92 | The threatened tariffs led to the European Union pledging countertariffs. 93 | Draper, a self described kid from South Central Los Angeles whose life was already at a peak, was not sure it was even a possibility. 94 | In a world of perceived foes, Trump has often looked to leaders who mimic his own brashness and disregard for political norms as allies. 95 | Somebody said it reminded them a little bit of our campaign, he said of Bolsonaro ' s effort, which I am honored by. 96 | There actually have been more manufacturing job openings recently than people to fill them, according to data from the Bureau of Labor Statistics. 97 | It ' s an amazing story but I always knew there was an end to it. 98 | I think the likelihood that it passes is pretty good in 2022 or 2024, and we should prepare for its passage, he said. 99 | Legalizing recreational marijuana in Florida will likely be on the ballot in upcoming elections, says Brandes, one of the legislators behind the medical marijuana law. 100 | Border security and immigration have dominated the department ' s attention and public messaging in recent months. 101 | -------------------------------------------------------------------------------- /errorsbing.md: -------------------------------------------------------------------------------- 1 | ## Translation Errors in Bing Microsoft Translator 2 | 3 | :telescope: Template in the following examples: 4 | + Row 1: error category 5 | + Row 2: source sentence (in English) 6 | + Row 3: target sentence (in Chinese) 7 | + Row 4: target sentence meaning 8 | 9 | | under | 10 | | :--- | 11 | |After pleading guilty in the Manhattan probe, Cohen also later pleaded guilty to lying to Congress in a case brought by Mueller's website.| 12 | |在曼哈顿调查中认罪后,科恩后来还对穆勒网站提起的一起案件中的撒谎罪供认不讳。| 13 | |After pleading guilty in the Manhattan probe, Cohen also later pleaded guilty to lying in a case brought by Mueller's website.| 14 | 15 | | logic | 16 | | :--- | 17 | |After pleading guilty in the Manhattan probe, Cohen also later pleaded guilty to lying to Congress in a case brought by Mueller ' s investigators.| 18 | |在曼哈顿调查中认罪后, 科恩后来还对穆勒调查人员提起的诉讼中撒谎向国会供认不讳。| 19 | |After pleading guilty in the Manhattan probe, Cohen also later pleaded guilty to Congress lying in a case brought by Mueller ' s investigators.| 20 | 21 | | under | 22 | | :--- | 23 | |After pleading criminal in the Manhattan probe, Cohen also later pleaded guilty to lying to Congress in a case brought by Mueller' s investigators.| 24 | |科恩在曼哈顿调查中为罪犯辩护后, 后来还对穆勒调查人员提起的诉讼中撒谎的罪行供认不讳。| 25 | |After pleading criminal in the Manhattan probe, Cohen also later pleaded guilty to lying in a case brought by Mueller' s investigators.| 26 | 27 | 28 | | over | 29 | | :--- | 30 | |I am very happy to share my point of view.| 31 | |我很高兴与大家分享我的观点。| 32 | |I am very happy to share my point of views with everyone.| 33 | 34 | | word/phrase | 35 | | :--- | 36 | |I am very willing to share my point of view.| 37 | |我非常愿意同意我的观点。| 38 | |I am very willing to agree with my point of view.| 39 | 40 | | word/phrase \| logic | 41 | | :--- | 42 | |I am very proud to share my point of view.| 43 | |我非常自豪地同意我的观点。| 44 | |I agreed with my point of view proudly.| 45 | 46 | | modification | 47 | | :--- | 48 | |Anxious gossip about who is and is not mentioned in the latest news reports.| 49 | |关于最新新闻报道中谁是谁和谁没有被提及的焦虑流言蜚语。| 50 | |Anxious gossip about who is who and who is not mentioned in the latest news reports.| 51 | 52 | | modification | 53 | | :--- | 54 | |Anxious gossip about who is and is not mentioned in the other news reports.| 55 | |关于谁是谁和谁在其他新闻报道中没有提及的焦虑流言蜚语。| 56 | |Anxious gossip about who is who and who is not mentioned in the other news reports.| 57 | 58 | | modification | 59 | | :--- | 60 | |Anxious gossip about who is and is not mentioned in the latest police reports.| 61 | |关于谁是谁和谁在最新的警方报告中没有提及的焦虑流言蜚语。| 62 | |Anxious gossip about who is who and who is not mentioned in the latest police reports.| 63 | 64 | | modification \| logic | 65 | | :--- | 66 | |Anxious talk about who is and is not mentioned in the latest news reports.| 67 | |在最新的新闻报道中, 焦虑地谈论谁是谁, 谁没有被提及。| 68 | |Anxiously talking in the latest news reports about who is who and who is not mentioned.| 69 | 70 | | word/phrase | 71 | | :--- | 72 | |The South has emerged as a hub of new auto manufacturing by foreign makers thanks to lower manufacturing costs and less powerful unions.| 73 | |由于制造成本较低,工会实力较弱,韩国已成为外国制造商新汽车制造业的枢纽。| 74 | |The South Korea has emerged as a hub of new auto manufacturing by foreign makers thanks to lower manufacturing costs and less powerful unions.| 75 | 76 | | logic | 77 | | :--- | 78 | |Since then, the ex employee has been rejected for multiple jobs and is still searching.| 79 | |此后,前员工因多个工作被拒绝,目前仍在寻找中。| 80 | |Since then, because the ex employee has been rejected for multiple jobs, he is still searching.| 81 | 82 | | under | 83 | | :--- | 84 | |During a question and answer session, however, Nielsen added that other nation states have adopted a more visible approach to doing the same.| 85 | |不过,在问答环节,尼尔森补充说,其他民族国家也采取了更明显的做法。| 86 | |During a question and answer session, however, Nielsen added that other nation states have adopted a more visible approach.| 87 | 88 | | over | 89 | | :--- | 90 | |Entering talks, Brazil hoped to see its elf elev ated to major non NATO ally status by the Trump administration, a big step that would help it purchase military equipment.| 91 | |进入谈判,巴西希望看到自己被特朗普政府提升为主要的非北约盟国地位,这是一个帮助其购买军事装备的一大步。 | 92 | |Entering talks, Brazil hoped to see its elf elev ated to major non NATO ally status by the Trump administration, one a big step that would help it purchase military equipment.| 93 | 94 | 95 | 96 | | word/phrase \| logic \| over| 97 | | :--- | 98 | |Covering a memorial service in the nation's capital and then traveling to Texas for another service as well as a funeral train was an honor, he says.| 99 | |他说,在美国首都举行追悼会,然后前往德州参加另一次礼拜仪式以及葬礼列车,是一种荣誉。| 100 | |Holding a memorial service in the nation's capital and then traveling to Texas for attending another church service and a funeral train was an honor, he says.| 101 | 102 | | word/phrase \| logic | 103 | | :--- | 104 | |Covering a small service in the nation' s capital and then traveling to Texas for another service as well as a funeral train was an honor, he says.| 105 | |他说, 在美国首都覆盖一个小的服务, 然后前往德州参加另一项服务以及一辆葬礼列车, 是一种荣誉。| 106 | |Forming a layer over a small service in the nation' s capital and then traveling to Texas for attending another service and a funeral train was an honor, he says.| 107 | 108 | | over \| logic | 109 | | :--- | 110 | |Covering a memorial service in the nation' s capital and then traveling to Texas for another service as well as a funeral train was an accident, he says.| 111 | |他说, 报道在美国首都举行的追悼会, 然后前往德州参加另一次礼拜仪式以及葬礼列车, 都是意外。| 112 | |Covering a memorial service in the nation' s capital and then traveling to Texas for attending another church service and a funeral train was an accident, he says.| 113 | 114 | | word/phrase \| logic | 115 | | :--- | 116 | |Covering a single service in the nation' s capital and then traveling to Texas for another service as well as a funeral train was an honor, he says.| 117 | |他说, 在美国首都覆盖一项服务, 然后前往德州参加另一项服务以及一辆葬礼列车, 是一种荣誉。| 118 | |Forming a layer over a single service in the nation' s capital and then traveling to Texas for attending another service and a funeral train was an honor, he says.| 119 | 120 | | under | 121 | | :--- | 122 | |And in the wake of the New Zealand tragedy, I want to make one thing very clear: we will not permit such hate in the homeland, she added.| 123 | |她补充说, 在新西兰惨案发生后, 我想非常清楚地表明一点: 我们不会允许在祖国产生这样的仇恨。| 124 | |In the wake of the New Zealand tragedy, I want to make one thing very clear: we will not permit such hate in the homeland, she added.| 125 | 126 | | under | 127 | | :--- | 128 | |And in the face of the New Zealand tragedy, I want to make one thing very clear: we will not permit such hate in the homeland, she added.| 129 | |她补充说, 面对新西兰的悲剧, 我想非常清楚地表明一点: 我们不会允许在祖国出现这样的仇恨。| 130 | |In the face of the New Zealand tragedy, I want to make one thing very clear: we will not permit such hate in the homeland, she added.| 131 | 132 | | under | 133 | | :--- | 134 | |And in the spirit of the New Zealand tragedy, I want to make one thing very clear: we will not permit such hate in the homeland, she added.| 135 | |她补充说, 本着新西兰悲剧的精神, 我想非常清楚地表明一点: 我们不会允许在祖国产生这样的仇恨。| 136 | |In the spirit of the New Zealand tragedy, I want to make one thing very clear: we will not permit such hate in the homeland, she added.| 137 | 138 | | under | 139 | | :--- | 140 | |And in the wake of the New year tragedy, I want to make one thing very clear: we will not permit such hate in the homeland, she added.| 141 | |她补充说, 新年惨案发生后, 我想说得非常清楚: 我们不会允许在祖国产生这样的仇恨。| 142 | |In the wake of the New year tragedy, I want to make one thing very clear: we will not permit such hate in the homeland, she added.| 143 | 144 | 145 | | word/phrase | 146 | | :--- | 147 | |Harley Davidson, stuck in the middle, said it could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 148 | |被卡在中间的哈雷戴维森表示, 每年可能会损失1亿美元, 因此公司决定将部分生产转移到海外, 以避免欧盟关税。| 149 | |Harley Davidson, literally "stuck in the middle", said it could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 150 | 151 | | word/phrase | 152 | | :--- | 153 | |Harley Davidson, stuck in the company, said it could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 154 | |被困在该公司的哈雷戴维森表示, 每年可能损失1亿美元, 因此该公司决定将部分生产转移到海外, 以避免欧盟关税。| 155 | |Harley Davidson, trapped in the company by others, said it could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 156 | 157 | | word/phrase | 158 | | :--- | 159 | |Harley Davidson, stuck in the past, said it could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 160 | |过去坚持的哈雷·戴维森表示, 每年可能损失1亿美元, 因此公司决定将部分生产转移到海外, 以避免欧盟关税。| 161 | |Harley Davidson, who persisted in the past, said it could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 162 | 163 | | word/phrase | 164 | | :--- | 165 | |Harley hollywood, stuck in the middle, said it could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 166 | |陷入中间的哈雷·好莱坞表示, 每年可能会损失1亿美元, 因此公司决定将部分生产转移到海外, 以避免欧盟关税。| 167 | |Harley hollywood, literally "stuck in the middle", said it could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 168 | 169 | | word/phrase | 170 | | :--- | 171 | |Mueller also received approval on two separate occasions to track the numbers of Cohen ' s incoming and outgoing calls.| 172 | |穆勒还在两个不同的场合获得批准, 以跟踪科恩的来电和传出电话的数量。| 173 | |Mueller also received approval on two separate occasions to track the frequency of occurrence of Cohen ' s incoming and outgoing calls.| 174 | 175 | | word/phrase | 176 | | :--- | 177 | |Mueller also received approval on two prior occasions to track the numbers of Cohen' s incoming and outgoing calls.| 178 | |穆勒此前两次都获得了跟踪科恩来电和呼出电话数量的批准。| 179 | |Mueller also received approval twice previously on occasions to track the numbers of Cohen' s incoming and outgoing calls.| 180 | 181 | | word/phrase | 182 | | :--- | 183 | |Mueller also received approval on two previous occasions to track the numbers of Cohen' s incoming and outgoing calls.| 184 | |穆勒此前两次也获得了跟踪科恩来电和出站号码的批准。| 185 | |Mueller also received approval twice previously on occasions to track the numbers of Cohen' s incoming and outbound calls.| 186 | 187 | | word/phrase | 188 | | :--- | 189 | |Mueller also received approval on two separate occasions to track the progress of Cohen' s incoming and outgoing calls.| 190 | |穆勒还在两个不同的场合获得批准, 以跟踪科恩的来电和传出电话的进展情况。| 191 | |Mueller also received approval on two separate occasions to track the progress of Cohen' s incoming and sending out calls.| 192 | 193 | | word/phrase | 194 | | :--- | 195 | |But it would keep the new investment in Michigan and focus there on self driving vehicles, according to reports.| 196 | |但据报道, 这将保留对密歇根州的新投资, 并将重点放在自驾游车辆上。| 197 | |But it would keep the new investment in Michigan and focus there on vehicles for self driving tours, according to reports.| 198 | 199 | | word/phrase | 200 | | :--- | 201 | |But it would keep the new car in Michigan and focus there on self driving vehicles, according to reports.| 202 | |但据报道, 这将使新车留在密歇根州, 并专注于自驾游车辆。| 203 | |But it would keep the new car in Michigan and focus there on vehicles for self driving tours, according to reports.| 204 | 205 | | word/phrase | 206 | | :--- | 207 | |I have always said to my friends that focusing just on affirmative power...is not a solution.| 208 | |我一直对我的朋友们说, 只关注肯定的力量.....。不是一个解决方案。| 209 | |I have always said to my friends that focusing just on sure power...is not a solution.| 210 | 211 | 212 | | word/phrase \| under | 213 | | :--- | 214 | |And attacking a dead man who spent five years as a prisoner of war and another three decades serving the country in elected office, is simply wrong.| 215 | |而攻击一个作为战俘度过5年、又在民选职位上服刑三十年的死者, 简直是错误的。| 216 | |And attacking a dead man who spent five years as a prisoner of war and another three decades serving in elected office as a prisoner, is simply wrong.| 217 | 218 | | logic | 219 | | :--- | 220 | |And attacking a dead man who spent five years as a casualty of war and another three decades serving the country in elected office, is simply wrong.| 221 | |而攻击一个在战争中度过了5年的战争牺牲品和在民选职位上为国家服务了 3 0年的死者, 简直是错误的。| 222 | |And attacking a man who spent five years as a casualty of war and attacking a dead man who spent three decades serving the country in elected office, is simply wrong.| 223 | 224 | | under \| logic | 225 | | :--- | 226 | |And attacking a dead man who spent five years as a prisoner of mind and another three decades serving the country in elected office, is simply wrong.| 227 | |而攻击一个在民选职位上当了5年的思想囚犯和又 3 0年的国家生涯的死者, 简直是错误的。| 228 | |And attacking a dead man who spent five years serving the in elected office as a prisoner of mind and another three decades' country career, is simply wrong.| 229 | 230 | | under | 231 | | :--- | 232 | |Trump promised that if he were elected, the song would stay.| 233 | |特朗普承诺, 如果当选, 这首歌将继续存在。| 234 | |Trump promised that if elected, the song would stay.| 235 | 236 | | under | 237 | | :--- | 238 | |Trump promised that if he were elected, the name would stay.| 239 | |特朗普承诺, 如果当选, 这个名字将继续存在。| 240 | |Trump promised that if elected, the name would stay.| 241 | 242 | | under | 243 | | :--- | 244 | |During a question and answer session, however, Nielsen added that other nation states have adopted a more visible approach to doing the same.| 245 | |不过, 在问答环节, 尼尔森补充说, 其他民族国家也采取了更明显的做法。| 246 | |During a question and answer session, however, Nielsen added that other nation states have adopted a more visible approach.| 247 | 248 | | under | 249 | | :--- | 250 | |During a name and answer session, however, Nielsen added that other nation states have adopted a more visible approach to doing the same.| 251 | |不过, 在一次点名和回答会议上, 尼尔森补充说, 其他民族国家也采取了更明显的做法。| 252 | |During a name and answer session, however, Nielsen added that other nation states have adopted a more visible approach.| 253 | 254 | | under | 255 | | :--- | 256 | |During a hit and answer session, however, Nielsen added that other nation states have adopted a more visible approach to doing the same.| 257 | |不过, 在一次命中和回答会议上, 尼尔森补充说, 其他民族国家也采取了更明显的做法。| 258 | |During a hit and answer session, however, Nielsen added that other nation states have adopted a more visible approach.| 259 | 260 | | under | 261 | | :--- | 262 | |During a question and question session, however, Nielsen added that other nation states have adopted a more visible approach to doing the same.| 263 | |不过, 在一次问答会上, 尼尔森补充说, 其他民族国家也采取了更明显的做法。| 264 | |During a question and question session, however, Nielsen added that other nation states have adopted a more visible approach.| 265 | 266 | | word/phrase \| logic | 267 | | :--- | 268 | |When asked about the threat from drones, Nielsen said during the Super Bowl the department tried out new defenses and confirmed that we did see drones.| 269 | |当被问及无人机的威胁时, 尼尔森说, 在超级杯期间, 该部门尝试了新的防守, 并证实我们确实看到了无人机。| 270 | |When asked about the threat from drones, Nielsen said the department tried out new defenses (to protect others from scoring) during the Super Bowl and confirmed that we did see drones.| 271 | 272 | | word/phrase \| logic | 273 | | :--- | 274 | |When asked about the protection from drones, Nielsen said during the Super Bowl the department tried out new defenses and confirmed that we did see drones.| 275 | |当被问及无人机的保护问题时, 尼尔森说, 在超级杯期间, 该部门尝试了新的防守, 并证实我们确实看到了无人机。| 276 | |When asked about the protection from drones, Nielsen said the department tried out new defenses (to protect others from scoring) during the Super Bowl and confirmed that we did see drones.| 277 | 278 | | logic | 279 | | :--- | 280 | |When asked about the threat from vietnam, Nielsen said during the Super Bowl the department tried out new defenses and confirmed that we did see drones.| 281 | |当被问及来自越南的威胁时, 尼尔森说, 在超级杯期间, 该部门尝试了新的防御措施, 并证实我们确实看到了无人机。| 282 | |When asked about the threat from vietnam, Nielsen said the department tried out new defenses during the Super Bowl and confirmed that we did see drones.| 283 | 284 | | word/phrase \| logic | 285 | | :--- | 286 | |When asked about the danger from drones, Nielsen said during the Super Bowl the department tried out new defenses and confirmed that we did see drones.| 287 | |当被问及无人机的危险时, 尼尔森说, 在超级杯期间, 该部门尝试了新的防守, 并证实我们确实看到了无人机。| 288 | |When asked about the danger from drones, Nielsen said the department tried out new defenses (to protect others from scoring) during the Super Bowl and confirmed that we did see drones.| 289 | 290 | | logic \| under | 291 | | :--- | 292 | |It ' s been a long time in the making.| 293 | |这已经是一个很长的时间了| 294 | |This is already a long time.| 295 | 296 | | word/phrase | 297 | | :--- | 298 | |A year later, in December of 2017, Ford again shifted plans and announced it would make those electric cars in Mexico after all.| 299 | |一年后的 2017年12月, 福特再次改变计划, 宣布毕竟将在墨西哥制造这些电动车。| 300 | |A year later, in December of 2017, Ford again shifted plans and announced it would all in all make those electric cars in Mexico.| 301 | 302 | | word/phrase | 303 | | :--- | 304 | |A year later, in anticipation of 2017, Ford again shifted plans and announced it would make those electric cars in Mexico after all.| 305 | |一年后, 为了迎接 2017年, 福特再次改变了计划, 并宣布毕竟将在墨西哥制造这些电动车。| 306 | |A year later, in anticipation of 2017, Ford again shifted plans and announced it would all in all make those electric cars in Mexico.| 307 | 308 | | word/phrase | 309 | | :--- | 310 | |A year later, in middle of 2017, Ford again shifted plans and announced it would make those electric cars in Mexico after all.| 311 | |一年后, 也就是2017年年中, 福特再次改变计划, 宣布毕竟将在墨西哥制造这些电动车。| 312 | |A year later, in middle of 2017, Ford again shifted plans and announced it would all in all make those electric cars in Mexico.| 313 | 314 | | word/phrase | 315 | | :--- | 316 | |A year later, in December of 2017, Ford again shifted plans and announced it would make those last cars in Mexico after all.| 317 | |一年后的 2017年12月, 福特再次改变计划, 宣布毕竟将在墨西哥制造最后一辆汽车。| 318 | |A year later, in December of 2017, Ford again shifted plans and announced it would all in all make those last cars in Mexico.| 319 | 320 | | under | 321 | | :--- | 322 | |It ' s not just a matter of sending money their way.| 323 | |这不仅仅是他们送钱的问题。| 324 | |It ' s not just a matter of their sending money.| 325 | 326 | | under \| logic | 327 | | :--- | 328 | |Now it will utilize the site to make smaller flat screen panels than originally anticipated.| 329 | |现在, 它将利用该网站, 使较小的平板比最初的预期。| 330 | |Now it will utilize the site, let the smaller flat screen panels than the original anticipation.| 331 | 332 | | under \| logic | 333 | | :--- | 334 | |Now it will utilize the library to make smaller flat screen panels than originally anticipated.| 335 | |现在, 它将利用该库, 使更小的平板比原来预期的。| 336 | |Now it will utilize the library, let the smaller flat screen panels than originally anticipated.| 337 | 338 | | under \| logic | 339 | | :--- | 340 | |Now it will utilize the power to make smaller flat screen panels than originally anticipated.| 341 | |现在, 它将利用的权力, 使较小的平板比最初的预期。| 342 | |Now it will utilize the power: let smaller flat screen panels than the original anticipation.| 343 | 344 | | under \| logic | 345 | | :--- | 346 | |Now it will utilize the ability to make smaller flat screen panels than originally anticipated.| 347 | |现在, 它将利用的能力, 使较小的平板比最初的预期。| 348 | |Now it will utilize the ability: letting smaller flat screen panels than the original anticipation.| 349 | 350 | | word/phrase | 351 | | :--- | 352 | |I think drones is a great example of where technology itself is not good or bad.| 353 | |我认为无人机是技术本身不是好是坏的一个很好的例子。| 354 | |I think drones is a great example of where technology itself is "not good" but bad.| 355 | 356 | | word/phrase | 357 | | :--- | 358 | |I am very concerned about whether these institutions are doing a good enough effort at getting these students to graduation.| 359 | |我非常担心这些机构是否在让这些学生毕业方面做了足够好的努力。| 360 | |I am very concerned about whether these institutions are doing a good enough effort at letting these students graduate.| 361 | 362 | | word/phrase | 363 | | :--- | 364 | |Cohen is scheduled to report to prison on May 6.| 365 | |按照计划, 科恩将于5月6日报警。| 366 | |Cohen is scheduled to call the police on May 6.| 367 | 368 | | word/phrase | 369 | | :--- | 370 | |Trump, then President elect, was pleased.| 371 | |时当选总统的特朗普很高兴。| 372 | |Time, Trump, President elect, was pleased.| 373 | 374 | | word/phrase | 375 | | :--- | 376 | |He was still an asterisk in most polling.| 377 | |在大多数民调中, 他仍然是一个星号。| 378 | |He was still an asterisk symbol in most polling.| 379 | 380 | | word/phrase | 381 | | :--- | 382 | |Young people of color became a majority of K 12 public school students in 2014.| 383 | |2014年, 有色青年成为12所公立学校学生的大多数。| 384 | |Young people who have color became a majority of K 12 public school students in 2014.| 385 | 386 | | word/phrase | 387 | | :--- | 388 | |Young people of color became a focus of K 12 public school students in 2014.| 389 | |2014年, 有色青年成为 k12 公立学校学生关注的焦点。| 390 | |Young people who have color became a focus of K 12 public school students in 2014.| 391 | 392 | | word/phrase | 393 | | :--- | 394 | |Young people of color became a concern of K 12 public school students in 2014.| 395 | |2014年, 有色青年成为 k12 公立学校学生关注的问题。| 396 | |Young people who have color became a concern of K 12 public school students in 2014.| 397 | 398 | | word/phrase | 399 | | :--- | 400 | |Young people of color became a minority of K 12 public school students in 2014.| 401 | |2014年, 有色青年成为 k12 公立学校学生中的少数。| 402 | |Young people who have color became a minority of K 12 public school students in 2014.| 403 | 404 | | word/phrase | 405 | | :--- | 406 | |It' s certainly true that the number of manufacturing facilities has increased.| 407 | |制造设施的数量增加了, 这当然是事实。| 408 | |It' s certainly true that the number of making facilities has increased.| 409 | 410 | | logic | 411 | | :--- | 412 | |And he pointed out that Toyota, the Japanese company, is investing in the US by opening many plants.| 413 | |他还指出, 日本公司丰田 (Toyota) 正在美国投资, 开设了许多工厂。| 414 | |And he pointed out that Toyota, the Japanese company, is investing in the US and opening many plants.| 415 | 416 | | logic | 417 | | :--- | 418 | |And he pointed out that Toyota, the Japanese company, is investing in the US by opening several plants.| 419 | |他还指出, 日本公司丰田正在美国投资, 开设了几家工厂。| 420 | |And he pointed out that Toyota, the Japanese company, is investing in the US and opening several plants.| 421 | 422 | | under | 423 | | :--- | 424 | |The most elite public universities admit a considerably smaller percentage of students from lower income backgrounds than do the elite private schools.| 425 | |与精英私立学校相比, 最精英公立大学招收的低收入学生比例要低得多。| 426 | |The most elite public universities admit a considerably smaller percentage of lower-income students than do the elite private schools.| 427 | 428 | | word/phrase | 429 | | :--- | 430 | |Looking back at the start of a lifetime, Draper says he accomplished what he set out to do during his eight years with Bush.| 431 | |回顾一生的开始, 德雷珀说, 他完成了在与布什相处的8年中开始做的事情。| 432 | |Looking back at the start of a lifetime, Draper says he accomplished what he began to do during his eight years with Bush.| 433 | 434 | | word/phrase | 435 | | :--- | 436 | |Looking back at the beginning of a lifetime, Draper says he accomplished what he set out to do during his eight years with Bush.| 437 | |回顾一生的开始, 德雷珀说, 他完成了在与布什相处的8年中开始做的事情。| 438 | |Looking back at the beginning of a lifetime, Draper says he accomplished what he began to do during his eight years with Bush.| 439 | 440 | | logic | 441 | | :--- | 442 | |Looking back at the experience of a day, Draper says he accomplished what he set out to do during his eight years with Bush.| 443 | |回顾一天的经历, 德雷珀说, 他完成了与布什在一起8年的任务。| 444 | |Looking back at the experience of a day, Draper says he accomplished what he set out to do: staying with Bush for eight years.| 445 | 446 | | word/phrase | 447 | | :--- | 448 | |It was his tariffs on steel and aluminum that caused frustration between Trump and Harley Davidson, the iconic American motorcycle manufacturer based in Wisconsin.| 449 | |正是他对钢铁和铝的关税, 引起了特朗普和总部位于威斯康星州的美国摩托车制造商哈雷·戴维森之间的挫折感。| 450 | |It was his tariffs on steel and aluminum that caused the sense of failure between Trump and Harley Davidson, the iconic American motorcycle manufacturer based in Wisconsin.| 451 | 452 | | word/phrase | 453 | | :--- | 454 | |It was his tariffs on steel and aluminum that caused frustration between Trump and Harley Davidson, the largest American motorcycle manufacturer based in Wisconsin.| 455 | |正是他对钢铁和铝的关税, 引起了特朗普和哈雷戴维森之间的挫折感, 哈雷戴维森是美国最大的摩托车制造商, 总部设在威斯康星州。| 456 | |It was his tariffs on steel and aluminum that caused the sense of failure between Trump and Harley Davidson, the largest American motorcycle manufacturer based in Wisconsin.| 457 | 458 | | word/phrase | 459 | | :--- | 460 | |It was his tariffs on steel and aluminum that caused frustration between Trump and Harley Davidson, the original American motorcycle manufacturer based in Wisconsin.| 461 | |正是他对钢铁和铝的关税, 引起了特朗普和哈雷戴维森之间的挫折感, 哈雷戴维森是美国最初的摩托车制造商, 总部设在威斯康星州。| 462 | |It was his tariffs on steel and aluminum that caused the sense of failure between Trump and Harley Davidson, the original American motorcycle manufacturer based in Wisconsin.| 463 | 464 | | word/phrase | 465 | | :--- | 466 | |It was his tariffs on steel and aluminum that caused frustration between Trump and norton Davidson, the iconic American motorcycle manufacturer based in Wisconsin.| 467 | |正是他对钢铁和铝的关税, 引起了特朗普和诺顿·戴维森之间的挫折感, 诺顿·戴维森是美国标志性的摩托车制造商, 总部设在威斯康星州。| 468 | |It was his tariffs on steel and aluminum that caused the sense of failure between Trump and norton Davidson, the iconic American motorcycle manufacturer based in Wisconsin.| 469 | 470 | | logic | 471 | | :--- | 472 | |Draper spent eight years with the Bush family and became very close with them.| 473 | |德雷珀在布什家族呆了 8年, 和他们变得非常亲密。| 474 | |Draper spent eight years as a member of the Bush family and became very close with them.| 475 | 476 | | logic | 477 | | :--- | 478 | |Draper spent eight weeks with the Bush family and became very close with them.| 479 | |德雷珀在布什一家呆了 8周, 和他们变得非常亲密。| 480 | |Draper spent eight weeks in the Bushs family and became very close with them.| 481 | 482 | | logic | 483 | | :--- | 484 | |Draper spent eight days with the Bush family and became very close with them.| 485 | |德雷珀在布什一家呆了 8天, 和他们变得非常亲密。| 486 | |Draper spent eight days in the Bushs family and became very close with them.| 487 | 488 | | word/phrase | 489 | | :--- | 490 | |Mueller' s team then handed over that data to the Manhattan federal prosecutors, and the Manhattan prosecutors also sought additional numbers filtered out of the Mueller searches.| 491 | |穆勒的团队随后将这一数据移交给曼哈顿联邦检察官, 曼哈顿检察官还寻求从穆勒的搜查中过滤掉更多的数字。| 492 | |Mueller' s team then handed over that data to the Manhattan federal prosecutors, and the Manhattan prosecutors also sought to filter out additional numbers from the Mueller searches.| 493 | 494 | | logic | 495 | | :--- | 496 | |There actually have been more manufacturing space openings recently than people to fill them, according to data from the Bureau of Labor Statistics.| 497 | |根据劳工统计局的数据, 最近实际有更多的制造业空间开放, 而不是人填补。| 498 | |There actually have been more manufacturing space openings recently, rather than people fill, according to data from the Bureau of Labor Statistics.| 499 | 500 | | over | 501 | | :--- | 502 | |There actually have been more manufacturing job positions recently than people to fill them, according to data from the Bureau of Labor Statistics.| 503 | |根据劳工统计局的数据, 最近实际填补制造业职位的人数超过了填补这些职位的人数。| 504 | |There actually have been more people to fill manufacturing job positions recently than people to fill them, according to data from the Bureau of Labor Statistics.| 505 | 506 | | over \| under \| logic | 507 | | :--- | 508 | |There actually have been more manufacturing shop openings recently than people to fill them, according to data from the Bureau of Labor Statistics.| 509 | |根据劳工统计局的数据, 最近实际没有人来填补它们的机会。| 510 | |There actually have been no chance for people to fill them, according to data from the Bureau of Labor Statistics.| 511 | 512 | | over | 513 | | :--- | 514 | |Border security and immigration have dominated the department' s attention and public exposure in recent months.| 515 | |近几个月来, 边境安全和移民一直是该部门关注和公开曝光的主要地区。| 516 | |Border security and immigration have been the dominated district in the department' s attention and public exposure in recent months.| 517 | 518 | | logic | 519 | | :--- | 520 | |The old rule started to seem dated and out of place.| 521 | |旧的规则似乎开始过时, 不合适。| 522 | |The old rule started to seem dated, which is out of place.| 523 | 524 | | logic | 525 | | :--- | 526 | |The old films started to seem dated and out of place.| 527 | |那些老电影开始显得过时了, 不合适。| 528 | |The old films started to seem dated, which is out of place.| 529 | 530 | | word/phrase | 531 | | :--- | 532 | |Sewing may find some support for a merger among European regulators who argue the region has too many banks.| 533 | |缝制可能会在一定程度上支持欧洲监管机构的合并, 他们认为该地区的银行太多。| 534 | |The sewing skill may find some support for a merger among European regulators who argue the region has too many banks.| 535 | 536 | | logic \| word/phrase | 537 | | :--- | 538 | |Sewing may find some preparation for a merger among European regulators who argue the region has too many banks.| 539 | |缝制公司可能会发现欧洲监管机构之间的合并做了一些准备, 他们认为该地区的银行太多。| 540 | |The sewing company may find a merger among European regulators that has some preparation, who argue the region has too many banks.| 541 | 542 | | word/phrase | 543 | | :--- | 544 | |Sewing may find some need for a merger among European regulators who argue the region has too many banks.| 545 | |缝制可能会发现欧洲监管机构之间需要进行一些合并, 他们认为该地区的银行太多。| 546 | |The sewing skill may find some need for a merger among European regulators who argue the region has too many banks.| 547 | 548 | | word/phrase | 549 | | :--- | 550 | |Sewing may find some support for a merger among European regulators who argue the community has too many banks.| 551 | |缝制可能会在一定程度上得到欧洲监管机构合并的支持, 他们认为欧洲银行太多。| 552 | |The sewing skill may find some support for a merger among European regulators who argue the community has too many banks.| 553 | 554 | | word/phrase | 555 | | :--- | 556 | |I really believe that you see a cloud of innovation coming from other parts of the world.| 557 | |我真的相信, 你会看到来自世界其他地区的一片创新云。| 558 | |I really believe that you see a cloud called innovation coming from other parts of the world.| 559 | 560 | | under | 561 | | :--- | 562 | |They left out that the pilots were not trained to handle it.| 563 | |他们忽略了飞行员没有受过处理的训练。| 564 | |They left out that the pilots were not trained for handling.| 565 | 566 | 567 | | under | 568 | | :--- | 569 | |They left out that the girls were not trained to handle it.| 570 | |他们忽略了女孩们没有受过处理的训练。| 571 | |They left out that the girls were not trained for handling.| 572 | 573 | 574 | | logic \| word/phrase | 575 | | :--- | 576 | |The cool confidence Chan has become known for did not always come easily.| 577 | |成龙以冷静的自信而闻名, 并不总是容易到来的。| 578 | |Jackie Chan has become known for his cool confidence, did not always come easily.| 579 | 580 | | word/phrase | 581 | | :--- | 582 | |It declined to ground the thing.| 583 | |它拒绝将这件事接地。| 584 | |It declined to connect the thing to the earth's surface.| 585 | 586 | | word/phrase | 587 | | :--- | 588 | |It declined to ground the person.| 589 | |它拒绝将该人落地。| 590 | |It declined to connect the person to the earth's surface.| 591 | 592 | | word/phrase | 593 | | :--- | 594 | |Other tech shows that also make effective use of economists — like Uber, which has a 30 person team — speak with frank admiration of the apparatus Amazon has built.| 595 | |其他科技也表明, 他们也有效地利用了经济学家--比如拥有30人团队的 Uber--对亚马逊建立的仪器有着坦率的钦佩。| 596 | |Other tech demonstrate that they also make effective use of economists — like Uber, which has a 30 person team — speak with frank admiration of the apparatus Amazon has built.| 597 | 598 | | under | 599 | | :--- | 600 | |And do not forget about your body language when receiving the compliment.| 601 | |在接受赞美的时候, 不要忘记你的肢体语言。| 602 | |Do not forget about your body language when receiving the compliment.| 603 | 604 | | under | 605 | | :--- | 606 | |And do not forget about your body language when receiving the message.| 607 | |在收到信息时, 不要忘记你的肢体语言。| 608 | |Do not forget about your body language when receiving the message.| 609 | 610 | | under | 611 | | :--- | 612 | |And do not forget about your body language when receiving the package.| 613 | |在收到包裹时, 不要忘记你的肢体语言。| 614 | |Do not forget about your body language when receiving the package.| 615 | 616 | | under | 617 | | :--- | 618 | |And do not forget about your body language when receiving the mail.| 619 | |在收到邮件时, 不要忘记你的肢体语言。| 620 | |Do not forget about your body language when receiving the mail.| 621 | 622 | | logic | 623 | | :--- | 624 | |The investigators were right that the airplane itself was safe.| 625 | |调查人员对飞机本身的安全是正确的。| 626 | |The investigators towards the safety of airplane itself were right.| 627 | 628 | | logic | 629 | | :--- | 630 | |The investigators were right that the ship itself was safe.| 631 | |调查人员对这艘船本身是安全的是正确的。| 632 | |The investigators towards that the ship itself was safe were right.| 633 | 634 | | logic | 635 | | :--- | 636 | |The people were right that the airplane itself was safe.| 637 | |人们对飞机本身是安全的是正确的。| 638 | |The people towards that the airplane itself was safe were right.| 639 | 640 | | under \| over \| logic | 641 | | :--- | 642 | |Anxiety over flying on Boeing' s 737 Max planes reached a fever pitch after the one in Ethiopia.| 643 | |在埃塞俄比亚, 在波音737的飞机上飞行时, 人们对飞机的焦虑达到了狂热的程度。| 644 | |In Ethiopia, when flying on Boeing' s 737 Max planes, anxiety about the planes reached a fever pitch.| 645 | 646 | | under | 647 | | :--- | 648 | |And happily, I was not in the world.| 649 | |幸运的是, 我不在这个世界上。| 650 | |Fortunately, I was not in the book.| 651 | 652 | | under | 653 | | :--- | 654 | |And happily, I was not in the world.| 655 | |幸运的是, 我不在这个世界上。| 656 | |Happily, I was not in the world.| 657 | 658 | | under | 659 | | :--- | 660 | |And happily, I was not in the area.| 661 | |很高兴, 我不在这个地区。| 662 | |Happily, I was not in the area.| 663 | 664 | | word/phrase \| logic | 665 | | :--- | 666 | |The other big draw: Even though the work Amazon ' s economists do may never see the light of day, within the company, it influences decisions that affect millions of people.| 667 | |另一个大吸引因素是: 尽管亚马逊的经济学家所做的工作可能永远看不到公司内部的曙光, 但它影响着影响数百万人的决策。| 668 | |The other big draw: Even though the work Amazon ' s economists do may never see the light within the company, it influences decisions that affect millions of people.| 669 | 670 | | word/phrase \| logic | 671 | | :--- | 672 | |The other big draw: Even though the work Amazon' s economists do may never see the light of day, within the company, it influences people that affect millions of people.| 673 | |另一个大吸引: 尽管亚马逊的经济学家所做的工作可能永远看不到公司内部的曙光, 但它影响着影响数百万人的人。| 674 | |The other big draw: Even though the work Amazon' s economists do may never see the light within the company, it influences people that affect millions of people.| 675 | 676 | | word/phrase | 677 | | :--- | 678 | |The other big draw: Even though the work Amazon' s economists do may never see the light of day, within the research, it influences decisions that affect millions of people.| 679 | |另一个大吸引: 尽管亚马逊的经济学家所做的工作可能永远看不到曙光, 但在研究中, 它影响着影响数百万人的决策。| 680 | |The other big draw: Even though the work Amazon' s economists do may never see the light, within the research, it influences decisions that affect millions of people.| 681 | 682 | | under | 683 | | :--- | 684 | |It is believed in the field that Amazon employs more PhD economists than any other tech company.| 685 | |据认为, 亚马逊雇用的博士经济学家比任何其他科技公司都多。| 686 | |It is believed that Amazon employs more PhD economists than any other tech company.| 687 | 688 | | logic | 689 | | :--- | 690 | |They are in charge of their routines, and they can find all the information they need from their friends or from other women in the world and online.| 691 | |他们负责自己的日常工作, 可以从朋友或世界上其他女性以及网上找到他们需要的所有信息。| 692 | |They are in charge of their routines, and they can find all the information they need from their friends, or from other women in the world, or from online.| 693 | 694 | | word/phrase | 695 | | :--- | 696 | |They are in charge of their routines, and they can find all the information they need from their friends or from other women in the room and online.| 697 | |他们负责自己的日常工作, 可以从朋友或房间内外的其他女性那里找到所需的所有信息。| 698 | |They are in charge of their routines, and they can find all the information they need from their friends or from other women in or outside the room.| 699 | 700 | | word/phrase | 701 | | :--- | 702 | |They left out that the boys were not trained to handle it.| 703 | |他们漏掉了男孩们没有受过处理这件事的训练。| 704 | |They missed the boys, were not trained to handle this matter.| 705 | 706 | | under \| logic | 707 | | :--- | 708 | |Feedback, both negative and positive, should be a significant occurrence in the workplace.| 709 | |消极和积极的反馈应该是工作场所的一个重大事件。| 710 | |Feedback, negative and positive, should be a workplace's significant occurrence.| 711 | 712 | | word/phrase | 713 | | :--- | 714 | |It can give director' s clarity, increase productivity and morale and help to avoid any tension or confusion.| 715 | |它可以给导演清晰, 提高生产力和士气, 并有助于避免任何紧张或混乱。| 716 | |It can give clarity to movie director, increase productivity and morale and help to avoid any tension or confusion.| 717 | 718 | | word/phrase | 719 | | :--- | 720 | |The former employee is now looking for new career opportunities outside their field of expertise after hitting a road block in the job search.| 721 | |这位前员工在求职过程中遇到路障后, 现在正在专业领域之外寻找新的职业机会。| 722 | |The former employee is now looking for new career opportunities outside their field of expertise after hitting a place where the police are stopping traffic in the job search.| 723 | 724 | | word/phrase | 725 | | :--- | 726 | |The former wife is now looking for new career opportunities outside their field of expertise after hitting a road block in the job search.| 727 | |在求职遇到路障后, 前妻目前正在自己的专业领域之外寻找新的职业机会。| 728 | |The former wife is now looking for new career opportunities outside their field of expertise after hitting a place where the police are stopping traffic in the job search.| 729 | 730 | | word/phrase \| under | 731 | | :--- | 732 | |The former employee is now looking for new career opportunities outside their field of work after hitting a road block in the job search.| 733 | |这位前员工在找工作的一个路障后, 现在正在工作领域之外寻找新的职业机会。| 734 | |The former employee is now looking for new career opportunities outside their field of work after a place where the police are stopping traffic in the job search.| 735 | 736 | | over | 737 | | :--- | 738 | |And this would take us closer to our goal of a truly sustainable banking sector.| 739 | |而这将使我们更接近我们建立一个真正可持续的银行业的目标。| 740 | |And this would take us closer to our goal of building a truly sustainable banking sector.| 741 | 742 | | over | 743 | | :--- | 744 | |And this would take us closer to our goal of a truly European banking club.| 745 | |而这将使我们更接近我们建立一个真正的欧洲银行俱乐部的目标。| 746 | |And this would take us closer to our goal of building a truly European banking club.| 747 | 748 | | over | 749 | | :--- | 750 | |And this would take us closer to our goal of a truly European banking group.| 751 | |而这将使我们更接近我们建立一个真正的欧洲银行集团的目标。| 752 | |And this would take us closer to our goal of building a truly European banking group.| 753 | 754 | | logic \| word/phrase | 755 | | :--- | 756 | |The key to accepting praise at work is to show you received it and appreciate it.| 757 | |在工作中接受表扬的关键是向你展示你收到了赞美, 并欣赏了它。| 758 | |The key to accepting praise at work is to show you that you received it and admire it.| 759 | 760 | | logic | 761 | | :--- | 762 | |The key to accepting something at work is to show you received it and appreciate it.| 763 | |在工作中接受一些东西的关键是向你展示你收到了它, 并欣赏它。| 764 | |The key to accepting something at work is to show you that you received it and admire it.| 765 | 766 | | logic \| over \| word/phrase | 767 | | :--- | 768 | |The key to accepting change at work is to show you received it and appreciate it.| 769 | |在工作中接受改变的关键是向你展示你收到的变化并欣赏它。| 770 | |The key to accepting change at work is to show you the change you received and admire it.| 771 | 772 | | logic | 773 | | :--- | 774 | |The key to accepting things at work is to show you received it and appreciate it.| 775 | |在工作中接受事物的关键是向你展示你收到了它并欣赏它。| 776 | |The key to accepting things at work is to show you that you received it and admire it.| 777 | 778 | | word/phrase | 779 | | :--- | 780 | |Economists can come close to an answer, enabling the company to make better decisions about which benefits to include and which to scrap.| 781 | |经济学家可以接近答案, 使公司能够更好地决定哪些好处包括在内, 哪些好处可以废除。| 782 | |Economists can come close to an answer, enabling the company to make better decisions about which benefits to include and which to abolish.| 783 | 784 | | word/phrase | 785 | | :--- | 786 | |Economists can come close to an answer, enabling the company to make various decisions about which benefits to include and which to scrap.| 787 | |经济学家可以接近答案, 使公司能够就哪些好处包括在内, 哪些好处被废除做出各种决定。| 788 | |Economists can come close to an answer, enabling the company to make various decisions about which benefits to include and which to abolish.| 789 | 790 | | word/phrase | 791 | | :--- | 792 | |Economists can come close to an answer, enabling the company to make important decisions about which benefits to include and which to scrap.| 793 | |经济学家可以接近答案, 使公司能够就哪些好处包括在内, 哪些利益被废除做出重要决定。| 794 | |Economists can come close to an answer, enabling the company to make important decisions about which benefits to include and which to abolish.| 795 | 796 | | word/phrase | 797 | | :--- | 798 | |Economists can come close to an answer, enabling the company to make many decisions about which benefits to include and which to scrap.| 799 | |经济学家可以接近答案, 使公司能够就哪些好处包括在内, 哪些好处被废除做出许多决定。| 800 | |Economists can come close to an answer, enabling the company to make many decisions about which benefits to include and which to abolish.| 801 | 802 | | word/phrase | 803 | | :--- | 804 | |The duration was reflected in the size of the car, she added.| 805 | |她补充说, 车的长度反映了这一点。| 806 | |The point was reflected in the size of the car, she added.| 807 | 808 | | logic | 809 | | :--- | 810 | |But any combination would be opposed by the powerful labor unions and closely examined by bank regulators who may prefer a cross border merger that could strengthen Europe' s financial system.| 811 | |但任何组合都会遭到强大工会的反对, 并受到银行监管机构的密切审查, 银行监管机构可能更喜欢跨境合并, 以加强欧洲的金融体系。| 812 | |But any combination would be opposed by the powerful labor unions and closely examined by bank regulators who may prefer a cross border merger to strengthen Europe' s financial system.| 813 | 814 | | logic | 815 | | :--- | 816 | |But any combination would be opposed by the powerful labor unions and closely examined by government regulators who may prefer a cross border merger that could strengthen Europe' s financial system.| 817 | |但任何组合都会遭到强大工会的反对, 并受到政府监管机构的密切审查, 政府监管机构可能更喜欢跨境合并, 以加强欧洲的金融体系。| 818 | |But any combination would be opposed by the powerful labor unions and closely examined by government regulators who may prefer a cross border merger to strengthen Europe' s financial system.| 819 | 820 | | logic | 821 | | :--- | 822 | |But any combination would be opposed by the powerful labor unions and closely examined by market regulators who may prefer a cross border merger that could strengthen Europe' s financial system.| 823 | |但任何组合都会遭到强大工会的反对, 并受到市场监管机构的密切审查, 市场监管机构可能更喜欢跨境合并, 以加强欧洲的金融体系。| 824 | |But any combination would be opposed by the powerful labor unions and closely examined by market regulators who may prefer a cross border merger to strengthen Europe' s financial system.| 825 | 826 | | word/phrase | 827 | | :--- | 828 | |At its peak in 2014, the blood testing startup was a symbol of Silicon Valley.| 829 | |在 2 0 1 4年的巅峰时期, 血液检测创业是硅谷的象征。| 830 | |At its peak in 2014, the blood testing startup business was a symbol of Silicon Valley.| 831 | 832 | | word/phrase | 833 | | :--- | 834 | |But if panic persisted and airlines were unwilling to buy it, the future of Boeing would be in jeopardy.| 835 | |但如果恐慌持续存在, 航空公司不愿意购买, 波音公司的未来将处于危险之中。| 836 | |But if panic persisted and airlines were unwilling to purchase it, the future of Boeing would be in jeopardy.| 837 | 838 | | word/phrase | 839 | | :--- | 840 | |But if panic persisted and airlines were afraid to buy it, the future of Boeing would be in jeopardy.| 841 | |但如果恐慌持续下去, 航空公司不敢购买, 波音公司的未来就会受到威胁。| 842 | |But if panic persisted and airlines were afraid to purchase it, the future of Boeing would be in jeopardy.| 843 | 844 | | word/phrase | 845 | | :--- | 846 | |But if panic persisted and people were unwilling to buy it, the future of Boeing would be in jeopardy.| 847 | |但如果恐慌持续下去, 人们不愿意购买, 波音公司的未来就会受到威胁。| 848 | |But if panic persisted and people were unwilling to purchase it, the future of Boeing would be in jeopardy.| 849 | 850 | | word/phrase | 851 | | :--- | 852 | |But if panic persisted and readers were unwilling to buy it, the future of Boeing would be in jeopardy.| 853 | |但如果恐慌持续下去, 读者不愿意购买, 波音公司的未来就会受到威胁。| 854 | |But if panic persisted and readers were unwilling to purchase it, the future of Boeing would be in jeopardy.| 855 | 856 | | under | 857 | | :--- | 858 | |Holmes pleaded not guilty to the charges of wire fraud and conspiracy to commit wire fraud.| 859 | |霍姆斯对电汇诈骗和共谋实施电汇诈骗的指控供认不讳。| 860 | |Holmes pleaded guilty to the charges of wire fraud and conspiracy to commit wire fraud.| 861 | 862 | | under | 863 | | :--- | 864 | |Holmes pleaded not guilty to the charges of wire robbery and conspiracy to commit wire fraud.| 865 | |霍姆斯对电汇和共谋诈骗的指控供认不讳。| 866 | |Holmes pleaded guilty to the charges of wire robbery and conspiracy to commit wire fraud.| 867 | 868 | | under | 869 | | :--- | 870 | |Holmes pleaded not guilty to the charges of cash fraud and conspiracy to commit wire fraud.| 871 | |霍姆斯对现金欺诈和共谋网络欺诈的指控供认不讳。| 872 | |Holmes pleaded guilty to the charges of cash fraud and conspiracy to commit wire fraud.| 873 | 874 | | under | 875 | | :--- | 876 | |Holmes pleaded not guilty to the charges of computer fraud and conspiracy to commit wire fraud.| 877 | |霍姆斯对电脑诈骗和共谋网络诈骗的指控供认不讳。| 878 | |Holmes pleaded guilty to the charges of computer fraud and conspiracy to commit wire fraud.| 879 | 880 | | logic \| word/phrase | 881 | | :--- | 882 | |According to a 2018 Harvard Business School study, venture capital firms that increased the number of female partners they hired by even 10% saw a bump in overall fund returns.| 883 | |根据2018年哈佛商学院的一项研究, 即使雇用的女性合伙人人数增加了 10%, 风险资本公司的整体基金回报也出现了波折。| 884 | |According to a 2018 Harvard Business School study, even though venture capital firms have increased the number of female partners they hired by 10% they saw an unexpected turn/setback in overall fund returns.| 885 | 886 | | under \| word/phrase | 887 | | :--- | 888 | |According to a 2018 Harvard Business School study, venture capital firms that increased the rate of female partners they hired by even 10% saw a bump in overall fund returns.| 889 | |根据2018年哈佛商学院的一项研究, 将女性合伙人比例提高10% 的风险资本公司的整体基金回报出现了波折。| 890 | |According to a 2018 Harvard Business School study, venture capital firms that increased the rate of female partners they hired by 10% saw an unexpected turn/setback in overall fund returns.| 891 | 892 | | word/phrase | 893 | | :--- | 894 | |Before, economists used to work on public people.| 895 | |以前, 经济学家经常在公众身上工作。| 896 | |Before, economists used to work on the body of public people.| 897 | 898 | | word/phrase | 899 | | :--- | 900 | |Throughout her career, Chan has often been one of the only women in the room.| 901 | |在她的整个职业生涯中, 成龙经常是房间里唯一的女性之一。| 902 | |Throughout her career, Jackie Chan has often been one of the only women in the room.| 903 | 904 | | word/phrase | 905 | | :--- | 906 | |Throughout her career, Chan has often been one of the only one in the room.| 907 | |在她的整个职业生涯中, 成龙经常是房间里唯一的一个。| 908 | |Throughout her career, Jackie Chan has often been one of the only one in the room.| 909 | 910 | | word/phrase | 911 | | :--- | 912 | |Throughout her career, Chan has often been one of the few women in the room.| 913 | |在她的整个职业生涯中, 成龙经常是房间里为数不多的女性之一。| 914 | |Throughout her career, Jackie Chan has often been one of the few women in the room.| 915 | 916 | | word/phrase | 917 | | :--- | 918 | |Throughout her career, Chan has often been one of the first women in the room.| 919 | |在她的整个职业生涯中, 成龙经常是房间里最早的女性之一。| 920 | |Throughout her career, Jackie Chan has often been one of the first women in the room.| 921 | 922 | | logic | 923 | | :--- | 924 | |The folks at Amazon are not doing the same sort of traditional chief economist ' s role.| 925 | |亚马逊的人们并没有扮演同样的传统首席经济学家的角色。| 926 | |The folks at Amazon are not doing the role of the same traditional chief economist.| 927 | 928 | | logic | 929 | | :--- | 930 | |And now, if they want to study behavior, the tech companies have it, and it ' s proprietary.| 931 | |而现在, 如果他们想研究行为, 科技公司就有了, 而且是专有的。| 932 | |And now, if they want to study behavior, the tech companies have had, and it ' s proprietary.| 933 | 934 | | logic | 935 | | :--- | 936 | |And now, if they want to study behavior, the tech people have it, and it' s proprietary.| 937 | |而现在, 如果他们想研究行为, 科技人员就有了行为, 这也是他们的专利。| 938 | |And now, if they want to study behavior, the tech people will have behavior, and it' s proprietary.| 939 | 940 | | word/phrase | 941 | | :--- | 942 | |Within a week of trying the platform, Chan was convinced the firm should invest.| 943 | |在尝试该平台后的一周内, 成龙就确信该公司应该进行投资。| 944 | |Within a week of trying the platform, Jackie Chan was convinced the firm should invest.| 945 | 946 | | word/phrase | 947 | | :--- | 948 | |Within a week of trying the company, Chan was convinced the firm should invest.| 949 | |在尝试公司的一周内, 成龙就确信公司应该投资。| 950 | |Within a week of trying the company, Jackie Chan was convinced the firm should invest.| 951 | 952 | | word/phrase | 953 | | :--- | 954 | |If that does not happen, the chances of the country crashing out of the bloc without a transitional deal on March 29 increase.| 955 | |如果这种情况不发生, 该国在3月29日没有达成过渡协议的情况下崩溃出欧元区的可能性就会增加。| 956 | |If that does not happen, the chances of the country collapsing out of the bloc without a transitional deal on March 29 increase.| 957 | 958 | | over | 959 | | :--- | 960 | |At the time, Facebook said goal based targeting is an accepted industry practice.| 961 | |当时, 脸谱表示, 基于目标的目标定位是一种公认的行业做法。| 962 | |At the time, Facebook said goal based goal targeting is an accepted industry practice.| 963 | 964 | | word/phrase | 965 | | :--- | 966 | |At the time, Facebook said age based education is an accepted industry practice.| 967 | |当时, 脸谱说, 年龄教育是公认的行业做法。| 968 | |At the time, Facebook said age education is an accepted industry practice.| 969 | 970 | | word/phrase \| logic | 971 | | :--- | 972 | |Actress Jennifer Lawrence is also expected to star as Holmes in a sitcom based on Bad Blood.| 973 | |女演员詹妮弗·劳伦斯也有望出演《坏血》的情景喜剧《福尔摩斯》。| 974 | |Actress Jennifer Lawrence is also expected to play in Bad Blood's sitcom: Holmes.| 975 | 976 | | logic \| over | 977 | | :--- | 978 | |Since then, the ex employee has been rejected for multiple jobs and is still searching.| 979 | |此后, 前员工因多个工作被拒绝, 目前仍在寻找中。| 980 | |Since then, the ex employee is still searching because he/she has been multiple jobs rejected for.| 981 | 982 | | logic | 983 | | :--- | 984 | |Since then, the ex employee has been rejected for other jobs and is still searching.| 985 | |此后, 前雇员被拒绝从事其他工作, 目前仍在寻找中。| 986 | |Since then, the ex employee has been rejected to be engaged in other jobs and is still searching.| 987 | 988 | | word/phrase | 989 | | :--- | 990 | |Once hired, research associates were everywhere.| 991 | |一旦被录用, 到处都是研究人员。| 992 | |Once hired, researchers were everywhere.| 993 | 994 | | word/phrase | 995 | | :--- | 996 | |The Census Bureau estimates they will reach a majority of the under 18 population around 2020.| 997 | |人口普查局估计, 到 2020年, 他们将覆盖18岁以下人口中的大多数。| 998 | |The Census Bureau estimates they will cover a majority of the under 18 population around 2020.| 999 | 1000 | | word/phrase | 1001 | | :--- | 1002 | |The Census australia estimates they will reach a majority of the under 18 population around 2020.| 1003 | |澳大利亚人口普查估计, 到 2020年, 他们将覆盖18岁以下人口的大多数。| 1004 | |The Census australia estimates they will cover a majority of the under 18 population around 2020.| 1005 | 1006 | | word/phrase | 1007 | | :--- | 1008 | |But only 6% of them attend private institutions, and though the popular University of California system has significantly increased its Latino enrollment, just 4% attend one of those campuses.| 1009 | |但其中只有 6% 的人在私营机构就读, 尽管广受欢迎的加州大学系统大幅增加了拉丁裔入学率, 但只有 4% 的人在其中一个校园就读。| 1010 | |But only 6% of them attend private institutions, and though the popular University of California system has significantly increased its Latino enrollment rate, just 4% attend one of those campuses.| 1011 | 1012 | | word/phrase | 1013 | | :--- | 1014 | |But only 6% of them attend private institutions, and though the larger University of California system has significantly increased its Latino enrollment, just 4% attend one of those campuses.| 1015 | |但其中只有 6% 的人在私营机构就读, 尽管更大的加州大学系统大幅增加了拉丁裔入学率, 但只有 4% 的人在其中一个校园就读。| 1016 | |But only 6% of them attend private institutions, and though the larger University of California system has significantly increased its Latino enrollment rate, just 4% attend one of those campuses.| 1017 | 1018 | | logic | 1019 | | :--- | 1020 | |The proposals came out of the National Council for the American Worker, which President Donald Trump created last show.| 1021 | |这些建议来自美国工人全国委员会, 总统唐纳德·特朗普最后一次演出是该委员会提出的。| 1022 | |The proposals came out of the National Council for the American Worker, President Donald Trump's last show was created by the council.| 1023 | 1024 | | word/phrase | 1025 | | :--- | 1026 | |But the manufacturers of Carrier, United Technologies, said it would still move some production to Mexico.| 1027 | |但运营商联合技术公司 (Unitedtechnologies) 的制造商表示, 仍将把部分生产转移到墨西哥。| 1028 | |But the manufacturers of "operator United Technologies", said it would still move some production to Mexico.| 1029 | 1030 | | word/phrase | 1031 | | :--- | 1032 | |But the owner of Carrier, delta Technologies, said it would still move some production to Mexico.| 1033 | |但航母公司的老板、三角洲技术公司表示, 仍将把部分生产转移到墨西哥。| 1034 | |But the owner of aircraft carrier company, namely delta Technologies, said it would still move some production to Mexico.| 1035 | 1036 | 1037 | | logic | 1038 | | :--- | 1039 | |The employee, who has since taken a new job, admits this time off was a luxury most may not have had.| 1040 | |此后接受新工作的这名员工承认, 这次休假可能是大多数人没有的奢侈品。| 1041 | |Later on, the employee who has taken a new job, admits this time off was a luxury most may not have had.| 1042 | 1043 | | logic | 1044 | | :--- | 1045 | |The employee, who has since taken a small job, admits this time off was a luxury most may not have had.| 1046 | |此后, 这名员工做了一份小工作, 他承认这次休假是大多数人可能没有的奢侈品。| 1047 | |Later on, the employee has taken a small job, he admits this time off was a luxury most may not have had.| 1048 | 1049 | 1050 | | logic | 1051 | | :--- | 1052 | |The employee, who has since taken a new name, admits this time off was a luxury most may not have had.| 1053 | |此后, 这名员工取了一个新名字, 他承认这次休假是大多数人可能没有的奢侈品。| 1054 | |The employee, who has since taken a new name, admits this time off was a luxury most may not have had.| 1055 | 1056 | | logic | 1057 | | :--- | 1058 | |The paul, who has since taken a new job, admits this time off was a luxury most may not have had.| 1059 | |保罗此后接受了一份新工作, 他承认这次休假是大多数人可能没有的奢侈品。| 1060 | |Later on, paul has taken a new job, admits this time off was a luxury most may not have had.| 1061 | 1062 | | logic \| word/phrase | 1063 | | :--- | 1064 | |Anxiety over flying on Boeing ' s 737 Max planes reached a fever pitch after the crash in Ethiopia.| 1065 | |在埃塞俄比亚坠毁后, 对波音737麦克斯飞机飞行的焦虑达到了狂热的程度。| 1066 | |Anxiety over Boeing 737 Max planes' flying becomes enthusiastic after the crash in Ethiopia.| 1067 | 1068 | | over \| word/phrase | 1069 | | :--- | 1070 | |Anxiety over flying on airbus' s 737 Max planes reached a fever pitch after the crash in Ethiopia.| 1071 | |在埃塞俄比亚发生坠机事故后, 对乘坐空中客车737架 max 飞机的焦虑达到了狂热的程度。| 1072 | |Anxiety over flying on airbus' s 737 Max planes frame becomes enthusiastic after the crash in Ethiopia.| 1073 | 1074 | | logic \| word/phrase | 1075 | | :--- | 1076 | |Anxiety over flying on Boeing' s 737 Max planes reached a fever point after the crash in Ethiopia.| 1077 | |在埃塞俄比亚坠毁后, 对乘坐波音 737 max 飞机飞行的焦虑达到了发烧点。| 1078 | |Anxiety over Boeing' s 737 Max planes' flying reached a "body fever" point after the crash in Ethiopia.| 1079 | 1080 | | under \| over \| logic | 1081 | | :--- | 1082 | |Anxiety over flying on Boeing' s 737 Max planes reached a fever pitch after the one in Ethiopia.| 1083 | |在埃塞俄比亚, 在波音737的飞机上飞行时, 人们对飞机的焦虑达到了狂热的程度。| 1084 | |When flying on Boeing' s 737 planes, people's anxiety reached a enthusiastic pitch in Ethiopia.| 1085 | 1086 | | word/phrase | 1087 | | :--- | 1088 | |A merger is one potential way forward; other options include a complete retreat from Wall Street (more likely) or major new investment in the investment bank (less likely).| 1089 | |合并是一个潜在的前进道路;其他选择包括从华尔街彻底退却 (更有可能) 或对投资银行进行重大新投资 (不太可能)。| 1090 | |A merger is one potential way forward; other options include a complete retreat (because of fear) from Wall Street (more likely) or major new investment in the investment bank (less likely).| 1091 | 1092 | | word/phrase \| over | 1093 | | :--- | 1094 | |The ultimate scale of the exodus is likely to depend on the terms of the divorce and when it occurs.| 1095 | |人口外流的最终规模可能取决于离婚的条件和离婚发生的时间。| 1096 | |The ultimate scale of the exodus of people is likely to depend on the terms of the ending of a human marriage and when it occurs.| 1097 | 1098 | | over | 1099 | | :--- | 1100 | |The ultimate scale of the exodus is likely to depend on the terms of the work and when it occurs.| 1101 | |人口外流的最终规模很可能取决于工作的条款和何时发生。| 1102 | |The ultimate scale of the exodus of people is likely to depend on the terms of the work and when it occurs.| 1103 | 1104 | | over | 1105 | | :--- | 1106 | |The ultimate scale of the exodus is likely to depend on the terms of the covenant and when it occurs.| 1107 | |人口外流的最终规模可能取决于契约的条款和何时发生。| 1108 | |The ultimate scale of the exodus of people is likely to depend on the terms of the covenant and when it occurs.| 1109 | 1110 | | over | 1111 | | :--- | 1112 | |The ultimate scale of the exodus is likely to depend on the terms of the agreement and when it occurs.| 1113 | |人口外流的最终规模可能取决于协议的条款和何时发生。| 1114 | |The ultimate scale of the exodus of people is likely to depend on the terms of the agreement and when it occurs.| 1115 | 1116 | | logic | 1117 | | :--- | 1118 | |Actress ellie Lawrence is also expected to star as Holmes in a movie based on Bad Blood.| 1119 | |女演员艾莉劳伦斯也有望出演福尔摩斯的电影为坏血液。| 1120 | |Actress ellie Lawrence is also expected to star Holmes' movie as Bad Blood.| 1121 | 1122 | | logic | 1123 | | :--- | 1124 | |Actress Jennifer Lawrence is also expected to star as jessica in a movie based on Bad Blood.| 1125 | |女演员詹妮弗劳伦斯也有望出演一个电影的杰西卡为坏血液。| 1126 | |Actress Jennifer Lawrence is also expected to star a movie's jessica as Bad Blood.| 1127 | 1128 | | logic \| word/phrase | 1129 | | :--- | 1130 | |Actress Jennifer Lawrence is also expected to star as Holmes in a sitcom based on Bad Blood.| 1131 | |女演员詹妮弗·劳伦斯也有望出演《坏血》的情景喜剧《福尔摩斯》。| 1132 | |Actress Jennifer Lawrence is also expected to star in a Bad Blood's sitcom: Holmes.| 1133 | -------------------------------------------------------------------------------- /errorsgoogle.md: -------------------------------------------------------------------------------- 1 | ## Translation Errors in Google Translate 2 | 3 | :telescope: Template in the following examples: 4 | + Row 1: error category 5 | + Row 2: source sentence (in English) 6 | + Row 3: target sentence (in Chinese) 7 | + Row 4: target sentence meaning 8 | 9 | | under | 10 | | :--- | 11 | |The former employee is now looking for new career opportunities outside their field of expertise after hitting a road block in the job search.| 12 | |这位前员工在求职时遇到障碍后,正在寻找新的职业机会。| 13 | |The former employee is now looking for new career opportunities after hitting a road block in the job search.| 14 | 15 | | under \| over | 16 | | :--- | 17 | |The investigators were right that the airplane itself was safe.| 18 | |调查人员认为飞机本身是安全的。| 19 | |The investigators thought that the airplane itself was safe.| 20 | 21 | | under \| over | 22 | | :--- | 23 | |The investigators were right that the bridge itself was safe.| 24 | |调查人员认为这座桥本身是安全的。| 25 | |The investigators thought that the bridge itself was safe.| 26 | 27 | | modification \| word/phrase | 28 | | :--- | 29 | |The South has emerged as a hub of new auto manufacturing by foreign makers thanks to lower manufacturing costs and less powerful businesses.| 30 | |由于制造成本降低和业务不那么强大,南方已成为外国制造商新的汽车制造中心。| 31 | |The South has emerged as a new hub of auto manufacturing by foreign makers thanks to the reducing manufacturing costs and less powerful businesses.| 32 | 33 | | modification \| word/phrase | 34 | | :--- | 35 | |The South has emerged as a hub of new auto manufacturing by foreign makers thanks to lower manufacturing costs and less local unions.| 36 | |由于制造成本降低和当地工会减少,南方已成为外国制造商新的汽车制造中心。| 37 | |The South has emerged as a new hub of auto manufacturing by foreign makers thanks to the reduction of manufacturing costs and local unions.| 38 | 39 | | modification \| word/phrase | 40 | | :--- | 41 | |The South has emerged as a hub of new auto manufacturing by foreign makers thanks to lower manufacturing costs and less civil unions.| 42 | |由于制造成本降低和民间工会减少,南方已成为外国制造商新的汽车制造中心。| 43 | |The South has emerged as a new hub of auto manufacturing by foreign makers thanks to the reduction of manufacturing costs and civil unions.| 44 | 45 | 46 | | word/phrase | 47 | | :--- | 48 | |The most elite public universities admit a considerably larger percentage of students from lower income backgrounds than do the elite private schools.| 49 | |最精英的公立大学承认,与精英私立学校相比,低收入学生的比例要高得多。| 50 | |The most elite public universities agree unwillingly that considerably larger percentage of students from lower income backgrounds than do the elite private schools.| 51 | 52 | | word/phrase | 53 | | :--- | 54 | |It declined to ground the jet.| 55 | |它拒绝接近喷气式飞机。| 56 | |It declined to get close to the jet.| 57 | 58 | | logic | 59 | | :--- | 60 | |And attacking a dead man who spent five years as a prisoner of war and another three decades serving the country in elected office, is simply wrong.| 61 | |并且攻击一名死去的人,他在战争中担任战争囚犯五年,另外三十年担任民选职务的国家,这是完全错误的。| 62 | |And attacking a dead man who spent five years as a prisoner of war and another three decades serving in elected office as a country, is simply wrong.| 63 | 64 | | logic \| over \| under | 65 | | :--- | 66 | |And attacking a dead man who spent five years as a vessel of war and another three decades serving the country in elected office, is simply wrong.| 67 | |攻击一个死了五年作为战争船只和另外三十年在民选职位上为国家服务的死人是完全错误的。| 68 | |Attacking a dead man who died five years ago as a vessel of war and spent another three decades serving the country in elected office, is simply wrong.| 69 | 70 | | logic \| under | 71 | | :--- | 72 | |And attacking a black man who spent five years as a prisoner of war and another three decades serving the country in elected office, is simply wrong.| 73 | |攻击一名在战争中度过了五年的黑人,以及在民选职位上为国家服务的另外三十年,这是完全错误的。| 74 | |Attacking a black man who spent five years as a prisoner of war and attacking another three decades serving the country in elected office, is simply wrong.| 75 | 76 | | modification | 77 | | :--- | 78 | |But even so, they remain members of privilege.| 79 | |但即便如此,他们仍然是特权的成员。| 80 | |But even so, they remain priviliege's members.| 81 | 82 | | modification | 83 | | :--- | 84 | |But even so, they remain prisoners of privilege.| 85 | |但即便如此,他们仍然是囚犯的特权。| 86 | |But even so, they remain prisoners' privilege.| 87 | 88 | | logic | 89 | | :--- | 90 | |I had a joke to tell and I wanted to finish it, Draper says.| 91 | |德雷珀说,我开玩笑说,我想完成它。| 92 | |I joked that I wanted to finish it, Draper says.| 93 | 94 | | word/phrase \| over | 95 | | :--- | 96 | |I had a part to tell and I wanted to finish it, Draper says.| 97 | |德雷珀说,我有责任告诉我,我想完成它。| 98 | |I had the responsibility to tell myself that I wanted to finish it, Draper says.| 99 | 100 | | word/phrase | 101 | | :--- | 102 | |Sewing may find some support for a merger among European regulators who argue the region has too many banks.| 103 | |缝纫可能会为欧洲监管机构的合并找到一些支持,他们认为该地区有太多银行。| 104 | |The sewing skill may find some support for a merger among European regulators who argue the region has too many banks.| 105 | 106 | | word/phrase \| logic | 107 | | :--- | 108 | |Sewing may find some room for a merger among European regulators who argue the region has too many banks.| 109 | |欧洲监管机构认为,该地区拥有太多银行,因此缝制可能会找到合并的空间。| 110 | |European regulators argue that the region has too many banks, so the sewing skill may find some room for a merger.| 111 | 112 | | word/phrase \| logic | 113 | | :--- | 114 | |Sewing may find some time for a merger among European regulators who argue the region has too many banks.| 115 | |欧洲监管机构认为该地区拥有太多银行,因此缝纫可能会找到合并的时间。| 116 | |European regulators argue that the region has too many banks, so the sewing skill may find some time for a merger.| 117 | 118 | | word/phrase | 119 | | :--- | 120 | |Sewing may find some plans for a merger among European regulators who argue the region has too many banks.| 121 | |缝纫可能会发现一些欧洲监管机构合并的计划,他们认为该地区拥有太多银行。| 122 | |The sewing skill may find some plans for a merger among European regulators who argue the region has too many banks.| 123 | 124 | | word/phrase | 125 | | :--- | 126 | |Mueller also received approval on two separate occasions to track the numbers of Cohen ' s incoming and outgoing calls.| 127 | |穆勒还在两个不同场合获得了批准,以追踪科恩的来电和拨出电话的数量。| 128 | |Mueller also received approval on two separate occasions to track the frequency of occurrence of Cohen ' s incoming and outgoing calls.| 129 | 130 | | word/phrase | 131 | | :--- | 132 | |Mueller also received approval on two other occasions to track the numbers of Cohen ' s incoming and outgoing calls.| 133 | |穆勒还在另外两次获得批准,以跟踪科恩的来电和拨出电话的数量。| 134 | |Mueller also received approval twice to track the numbers of Cohen ' s incoming and outgoing calls.| 135 | 136 | | modification | 137 | | :--- | 138 | |Mueller also received approval on two separate occasions to track the numbers of women' s incoming and outgoing calls.| 139 | |穆勒还在两个不同场合获得批准,以追踪女性来电和拨打电话的人数。| 140 | |Mueller also received approval on two separate occasions to track the women' s incoming calls and the number of people making calls.| 141 | 142 | | word/phrase | 143 | | :--- | 144 | |The Census Bureau estimates they will reach a majority of the under 18 population around 2020.| 145 | |人口普查局估计,他们将在2020年左右达到18岁以下人口的大多数。| 146 | |The Census Bureau estimates they will achieve the majority of the under 18 population around 2020.| 147 | 148 | | word/phrase | 149 | | :--- | 150 | |The Census watch estimates they will reach a majority of the under 18 population around 2020.| 151 | |人口普查观察估计,他们将在2020年左右达到18岁以下人口的大多数。| 152 | |The Census watch estimates they will achieve the majority of the under 18 population around 2020.| 153 | 154 | | under \| modification | 155 | | :--- | 156 | |But it would keep the new investment in Michigan and focus there on self driving vehicles, according to reports.| 157 | |据报道,这将保留密歇根州的新投资,并专注于自动驾驶汽车。| 158 | |It would keep the Michigan's new investment and focus there on self driving vehicles, according to reports.| 159 | 160 | | logic | 161 | | :--- | 162 | |But it would keep the new car in Michigan and focus there on self driving vehicles, according to reports.| 163 | |据报道,但它将把这辆新车保留在密歇根州并专注于自动驾驶车辆。| 164 | |It would but keep the new car in Michigan and focus there on self driving vehicles, according to reports.| 165 | 166 | | word/phrase | 167 | | :--- | 168 | |I have always said to my friends that focusing just on affirmative action ... is not a solution.| 169 | |我总是对我的朋友说,只关注肯定行动......不是解决方案。| 170 | |I have always said to my friends that focusing just on sure action ... is not a solution.| 171 | 172 | | word/phrase | 173 | | :--- | 174 | |I have always said to my friends that focusing just on affirmative hits...is not a solution.| 175 | |我总是对我的朋友说,只关注肯定的命中......不是解决方案。| 176 | |I have always said to my friends that focusing just on sure hits...is not a solution.| 177 | 178 | | word/phrase | 179 | | :--- | 180 | |I have always said to my friends that focusing just on affirmative power...is not a solution.| 181 | |我总是对朋友说,只关注肯定权力......不是解决方案。| 182 | |I have always said to my friends that focusing just on sure power...is not a solution.| 183 | 184 | | logic | 185 | | :--- | 186 | |After pleading guilty in the Manhattan probe, Cohen also later pleaded guilty to lying to Congress in a case brought by Mueller ' s investigators.| 187 | |在曼哈顿调查中认罪之后,科恩后来还承认穆勒调查人员提起诉讼,向国会撒谎。| 188 | |After pleading guilty in the Manhattan probe, Cohen also later pleaded guilty that Mueller ' s investigators brought a case, lying to Congress.| 189 | 190 | | under | 191 | | :--- | 192 | |He said the greater importance of the case lies in the power that the majority opinion grants to the government.| 193 | |他说,案件的重要性在于多数意见赋予政府的权力。| 194 | |He said the importance of the case lies in the power that the majority opinion grants to the government.| 195 | 196 | | under | 197 | | :--- | 198 | |He said the greater importance of the case lies in the trust that the majority opinion grants to the government.| 199 | |他说,案件的重要性在于多数意见赋予政府的信任。| 200 | |He said the importance of the case lies in the trust that the majority opinion grants to the government.| 201 | 202 | | under | 203 | | :--- | 204 | |A year later, in December of 2017, Ford again shifted plans and announced it would make those electric cars in Mexico after all.| 205 | |一年后,在2017年12月,福特再次改变计划,并宣布将在墨西哥制造这些电动车。| 206 | |A year later, in December of 2017, Ford again shifted plans and announced it would make those electric cars in Mexico.| 207 | 208 | | under | 209 | | :--- | 210 | |A year later, in December of 2017, Ford again shifted plans and announced it would make those first cars in Mexico after all.| 211 | |一年之后,在2017年12月,福特再次改变了计划并宣布它将在墨西哥制造首批车型。| 212 | |A year later, in December of 2017, Ford again shifted plans and announced it would make those first cars in Mexico.| 213 | 214 | | under | 215 | | :--- | 216 | |A year later, in anticipation of 2017, Ford again shifted plans and announced it would make those electric cars in Mexico after all.| 217 | |一年之后,在2017年的预期中,福特再次改变了计划并宣布它将在墨西哥制造这些电动车。| 218 | |A year later, in anticipation of 2017, Ford again shifted plans and announced it would make those electric cars in Mexico.| 219 | 220 | | under | 221 | | :--- | 222 | |A year later, in october of 2017, Ford again shifted plans and announced it would make those electric cars in Mexico after all.| 223 | |一年后,即2017年10月,福特再次改变计划并宣布将在墨西哥制造这些电动车。| 224 | |A year later, in october of 2017, Ford again shifted plans and announced it would make those electric cars in Mexico.| 225 | 226 | | under \| over | 227 | | :--- | 228 | |It' s not just a matter of sending women their way.| 229 | |这不仅仅是让女人走路的问题。| 230 | |It' s not just a matter of letting women walk.| 231 | 232 | | word/phrase | 233 | | :--- | 234 | |It' s not just a matter of sending others their way.| 235 | |这不仅仅是以他们的方式传递他人的问题。| 236 | |It' s not just a matter of passing others their way.| 237 | 238 | | modification | 239 | | :--- | 240 | |Now it will utilize the ability to make smaller flat screen panels than originally anticipated.| 241 | |现在它将利用制作比原先预期更小的平板显示屏的能力。| 242 | |Now it will utilize the ability, which makes smaller flat screen panels than originally anticipated.| 243 | 244 | | logic | 245 | | :--- | 246 | |I think drones is a great example of where technology itself is not good or bad.| 247 | |我认为无人机是技术本身不好或坏的一个很好的例子。| 248 | |I think drones is a great example of where technology itself is "not good" or "bad".| 249 | 250 | | over | 251 | | :--- | 252 | |I think drones is a great example of where technology itself is not new or bad.| 253 | |我认为无人机是技术本身不是新的或坏的地方的一个很好的例子。| 254 | |I think drones is a great example of where technology itself is not a new or bad place.| 255 | 256 | | word/phrase \| logic | 257 | | :--- | 258 | |Covering a memorial service in the nation ' s capital and then traveling to Texas for another service as well as a funeral train was an honor, he says.| 259 | |他说,在国家首都覆盖追悼会,然后前往德克萨斯州进行另一项服务以及葬礼列车是一种荣誉。| 260 | |Forming a layer over a memorial service in the nation's capital and then traveling to Texas for conducting another service as well as conduting a funeral train was an honor, he says.| 261 | 262 | | word/phrase \| logic | 263 | | :--- | 264 | |Covering a memorial service in the nation' s capital and then traveling to Texas for another day as well as a funeral train was an honor, he says.| 265 | |他说,在国家首都覆盖一个追悼会,然后前往德克萨斯州再度一天以及一辆葬礼火车是一种荣誉。| 266 | |Forming a layer over a memorial service in the nation' s capital and then traveling to Texas for another day as well as spending a funeral train was an honor, he says.| 267 | 268 | | logic \| under | 269 | | :--- | 270 | |Covering a funeral service in the nation' s capital and then traveling to Texas for another service as well as a funeral train was an honor, he says.| 271 | |他说,在首都的殡仪服务,然后前往德克萨斯州进行另一项服务以及葬礼列车是一种荣誉。| 272 | |A funeral service in the nation' s capital and then traveling to Texas for conduting another service as well as conduting a funeral train was an honor, he says.| 273 | 274 | | word/phrase | 275 | | :--- | 276 | |It' s a shame what' s happening in Venezuela, the stuff and the destruction and the hunger.| 277 | |在委内瑞拉发生的事情,事情,破坏和饥饿是一种耻辱。| 278 | |It' s a humiliation what' s happening in Venezuela, the stuff and the destruction and the hunger.| 279 | 280 | | word/phrase | 281 | | :--- | 282 | |It' s a shame what' s happening in Venezuela, the thing and the destruction and the hunger.| 283 | |在委内瑞拉发生的事情,事情,破坏和饥饿是一种耻辱。| 284 | |It' s a humiliation what' s happening in Venezuela, the thing and the destruction and the hunger.| 285 | 286 | | word/phrase | 287 | | :--- | 288 | |It' s a shame what' s happening in Venezuela, the death and the sex and the hunger.| 289 | |在委内瑞拉发生的事情,死亡以及性和饥饿是一种耻辱。| 290 | |It' s a humiliation what' s happening in Venezuela, the death and the sex and the hunger.| 291 | 292 | | under | 293 | | :--- | 294 | |Trump, then President elect, was pleased.| 295 | |当时的总统特朗普很高兴。| 296 | |President Trump was pleased then.| 297 | 298 | | word/phrase | 299 | | :--- | 300 | |He was still an asterisk in most polling.| 301 | |在大多数民意调查中,他仍然是一个星号。| 302 | |He was still an asterisk symbol in most polling.| 303 | 304 | | under | 305 | | :--- | 306 | |Young people of color became a majority of K 12 public school students in 2014.| 307 | |2014年,有色人种成为K 12公立学校学生的大多数。| 308 | |People of color became a majority of K 12 public school students in 2014.| 309 | 310 | | under | 311 | | :--- | 312 | |Young people of color became a concern of K 12 public school students in 2014.| 313 | |2014年,有色人种成为K 12名公立学校学生关注的焦点。| 314 | |People of color became a concern of K 12 public school students in 2014.| 315 | 316 | | under | 317 | | :--- | 318 | |Young people of color became a minority of K 12 public school students in 2014.| 319 | |2014年,有色人种成为K 12名公立学校学生中的少数。| 320 | |People of color became a minority of K 12 public school students in 2014.| 321 | 322 | | under | 323 | | :--- | 324 | |Young people of color became a group of K 12 public school students in 2014.| 325 | |2014年,有色人种成为K 12名公立学校学生。| 326 | |People of color became a group of K 12 public school students in 2014.| 327 | 328 | | word/phrase | 329 | | :--- | 330 | |Ultimately, Preap was released from immigration custody but he remains the lead plaintiff for a class of others with similar complaints.| 331 | |最终,Preap从移民拘留中获释,但他仍然是一类有类似投诉的其他人的主要原告。| 332 | |Ultimately, Preap was released from immigration custody but he remains the lead plaintiff for a class of other people with similar complaints.| 333 | 334 | | word/phrase | 335 | | :--- | 336 | |Ultimately, david was released from immigration custody but he remains the lead plaintiff for a class of others with similar complaints.| 337 | |最终,大卫被移民拘留,但他仍然是一类有类似投诉的其他人的主要原告。| 338 | |Ultimately, david was placed in immigration detention but he remains the lead plaintiff for a class of other people with similar complaints.| 339 | 340 | | under \| over | 341 | | :--- | 342 | |But only 6% of them attend private institutions, and though the elite University of California laguna has significantly increased its Latino enrollment, just 4% attend one of those campuses.| 343 | |但只有6%的人参加私人院校,虽然加州大学拉古纳分校的拉丁美洲大学入学人数显着增加,但只有4%的人参加了其中一个校区。| 344 | |But only 6% of them attend private institutions, and though the University of California laguna has significantly increased its Latino University enrollment, just 4% attend one of those campuses.| 345 | 346 | | word/phrase | 347 | | :--- | 348 | |It' s certainly true that the number of manufacturing houses has increased| 349 | |制造业的数量增加肯定是正确的。| 350 | |It's certainly the correct approach that the number of manufacturing houses has increased| 351 | 352 | | word/phrase | 353 | | :--- | 354 | |It' s certainly true that the proportion of manufacturing jobs has increased.| 355 | |制造业就业岗位的比例增加肯定是正确的。| 356 | |It' s certainly the correct approach that the proportion of manufacturing jobs has increased.| 357 | 358 | | under | 359 | | :--- | 360 | |And he pointed out that Toyota, the Japanese company, is investing in the US by opening new plants.| 361 | |他指出,日本公司丰田正在通过开设新工厂在美国投资。| 362 | |He pointed out that Toyota, the Japanese company, is investing in the US by opening new plants.| 363 | 364 | | under | 365 | | :--- | 366 | |And he pointed out that Toyota, the Japanese company, is investing in the US by opening new locations.| 367 | |他指出,日本公司丰田通过开设新地点在美国投资。| 368 | |He pointed out that Toyota, the Japanese company, is investing in the US by opening new locations.| 369 | 370 | | under | 371 | | :--- | 372 | |And he pointed out that fuji, the Japanese company, is investing in the US by opening new plants.| 373 | |他指出,日本公司富士通过开设新工厂在美国投资。| 374 | |He pointed out that fuji, the Japanese company, is investing in the US by opening new plants.| 375 | 376 | | under \| logic | 377 | | :--- | 378 | |And he pointed out that Toyota, the Japanese company, is investing in the US by opening several plants.| 379 | |他指出,日本公司丰田通过开设几家工厂来投资美国。| 380 | |He pointed out that Toyota, the Japanese company, is investing the US by opening several plants.| 381 | 382 | | word/phrase | 383 | | :--- | 384 | |The most elite public universities admit a considerably larger percentage of students from lower income backgrounds than do the elite private schools.| 385 | |最精英的公立大学承认,与精英私立学校相比,低收入学生的比例要高得多。| 386 | |The most elite public universities agree unwillingly that there is a considerably larger percentage of students from lower income backgrounds than do the elite private schools.| 387 | 388 | | word/phrase | 389 | | :--- | 390 | |The most elite public universities admit a considerably lower percentage of students from lower income backgrounds than do the elite private schools.| 391 | |最精英的公立大学承认低收入学生的比例远低于精英私立学校。| 392 | |The most elite public universities agree unwillingly that there is a considerably lower percentage of students from lower income backgrounds than do the elite private schools.| 393 | 394 | | word/phrase | 395 | | :--- | 396 | |The most elite public universities admit a considerably larger percentage of students from high income backgrounds than do the elite private schools.| 397 | |最精英的公立大学承认高收入学生的比例远高于精英私立学校。| 398 | |The most elite public universities agree unwillingly that there is a considerably larger percentage of students from high income backgrounds than do the elite private schools.| 399 | 400 | | word/phrase | 401 | | :--- | 402 | |The most elite public universities admit a considerably larger percentage of students from lower ability backgrounds than do the elite private schools.| 403 | |与精英私立学校相比,最精英的公立大学承认能力较低的学生比例较高。| 404 | |The most elite public universities agree unwillingly that there is a considerably larger percentage of students from lower ability backgrounds than do the elite private schools.| 405 | 406 | | logic | 407 | | :--- | 408 | |Entering talks, Brazil hoped to see itself elevated to major non NATO ally status by the Trump administration, a next step that would help it purchase military equipment.| 409 | |进入谈判后,巴西希望特朗普政府将自己提升为主要的非北约盟友地位,下一步将有助于其购买军事装备。| 410 | |Entering talks, Brazil hoped to see itself elevated to major non NATO ally status by the Trump administration, while the next step would help it purchase military equipment.| 411 | 412 | | word/phrase | 413 | | :--- | 414 | |It was his tariffs on steel and aluminum that caused frustration between Trump and Harley Davidson, the iconic American motorcycle manufacturer based in Wisconsin.| 415 | |正是他对钢铁和铝的关税引起了特朗普与位于威斯康星州的标志性美国摩托车制造商哈雷戴维森之间的挫败感。| 416 | |It was his tariffs on steel and aluminum that caused the sense of failure between Trump and Harley Davidson, the iconic American motorcycle manufacturer located in Wisconsin.| 417 | 418 | | word/phrase | 419 | | :--- | 420 | |It was his tariffs on steel and aluminum that caused frustration between Trump and Harley Davidson, the new American motorcycle manufacturer based in Wisconsin.| 421 | |正是他对钢铁和铝的关税引起了特朗普与总部位于威斯康星州的新美国摩托车制造商哈雷戴维森之间的挫败感。| 422 | |It was his tariffs on steel and aluminum that caused the sense of failure between Trump and Harley Davidson, the new American motorcycle manufacturer based in Wisconsin.| 423 | 424 | | word/phrase \| logic | 425 | | :--- | 426 | |It was his tariffs on steel and aluminum that caused frustration between Trump and Harley Davidson, the iconic American motorcycle manufacturer based in st.| 427 | |正是他对钢铁和铝的关税引起了特朗普和哈利戴维森之间的挫败感,这是一家标志性的美国摩托车制造商。| 428 | |It was his tariffs on steel and aluminum that caused the sense of failure between Trump and Harley Davidson, this is an iconic American motorcycle manufacturer.| 429 | 430 | | word/phrase \| logic | 431 | | :--- | 432 | |It was his tariffs on steel and aluminum that caused frustration between Trump and Harley Davidson, the new American motorcycle manufacturer based in Wisconsin.| 433 | |正是他对钢铁和铝的关税引起了特朗普和哈利戴维森之间的挫败感,这是一家标志性的美国摩托车制造商| 434 | |It was his tariffs on steel and aluminum that caused the sense of failure between Trump and Harley Davidson, this is an iconic American motorcycle manufacturer.| 435 | 436 | | word/phrase | 437 | | :--- | 438 | |Draper spent eight Christmases with the Bush family and became very close with them.| 439 | |德雷珀与布什一家共度了八次圣诞节,并与他们非常接近。| 440 | |Draper spent eight Christmases with the Bush family and became very similar to them.| 441 | 442 | | word/phrase | 443 | | :--- | 444 | |Draper spent eight times with the Bush family and became very close with them.| 445 | |德雷珀与布什家族共度了八次,并与他们非常接近。| 446 | |Draper spent eight times with the Bush family and became very similar to them.| 447 | 448 | | word/phrase | 449 | | :--- | 450 | |Mueller' s team then handed over that call to the Manhattan federal prosecutors, and the Manhattan prosecutors also sought additional information filtered out of the Mueller searches.| 451 | |然后,穆勒的团队将这一呼吁移交给曼哈顿联邦检察官,曼哈顿检察官也寻求从穆勒搜索中过滤出的其他信息。| 452 | |Mueller' s team then handed over that request to the Manhattan federal prosecutors, and the Manhattan prosecutors also sought additional information filtered out of the Mueller searches.| 453 | 454 | | logic | 455 | | :--- | 456 | |There actually have been more manufacturing job openings recently than people to fill them, according to data from the Bureau of Labor Statistics.| 457 | |根据美国劳工统计局的数据,最近制造业的职位空缺实际上比人们填补的要多。| 458 | |There actually have been more manufacturing job openings recently than people who have filled them, according to data from the Bureau of Labor Statistics.| 459 | 460 | | under \| logic | 461 | | :--- | 462 | |There actually have been more potential job openings recently than people to fill them, according to data from the Bureau of Labor Statistics.| 463 | |根据美国劳工统计局(Bureau of Labor Statistics)的数据,最近有更多潜在的职位空缺来填补他们。| 464 | |There actually have been more potential job openings recently to fill them, according to data from the Bureau of Labor Statistics.| 465 | 466 | | word/phrase | 467 | | :--- | 468 | |It' s an amazing story but I always knew there was an addition to it.| 469 | |这是一个了不起的故事,但我一直都知道它有一个新增功能。| 470 | |It' s an amazing story but I always knew there was a new function to it.| 471 | 472 | | under | 473 | | :--- | 474 | |The old rule started to seem dated and out of time.| 475 | |旧的规则似乎已经过时了。| 476 | |The old rule seem dated and out of time.| 477 | 478 | | under \| word/phrase | 479 | | :--- | 480 | |The old stories started to seem dated and out of place.| 481 | |旧故事似乎过时而且不合时宜。| 482 | |The old stories seem dated and untimely.| 483 | 484 | | word/phrase | 485 | | :--- | 486 | |The old books started to seem dated and out of place.| 487 | |旧书开始显得过时而且不合时宜。| 488 | |The old books started to seem dated and untimely.| 489 | 490 | 491 | | logic | 492 | | :--- | 493 | |I am very proud to share my point of view.| 494 | |我很自豪地分享我的观点。| 495 | |I shared my point of view proudly.| 496 | 497 | 498 | | under | 499 | | :--- | 500 | |The cool confidence Chan has become known for did not always come easily.| 501 | |陈的冷静信心并不总是很容易。| 502 | |Chan's cool confidence is not always easily.| 503 | 504 | | over \| under \| word/phrase | 505 | | :--- | 506 | |The employee, who has since taken a new job, admits this time off was a luxury most may not have had.| 507 | |这位从事新工作的员工承认,这段时间绝对是大多数人可能没有的奢侈品。| 508 | |The employee, who has taken a new job, admits this period of time was absolutely a luxury most may not have had.| 509 | 510 | | under \| word/phrase | 511 | | :--- | 512 | |The employee, who has since taken a new job, admits this time off was a life most may not have had.| 513 | |那个从事新工作的员工承认,这段时间过去的生活可能是最不可能的。| 514 | |The employee, who has taken a new job, admits this period of time was a least likely life.| 515 | 516 | | logic | 517 | | :--- | 518 | |Other tech companies that also make effective examples of economists — like Uber, which has a 30 person team — speak with frank admiration of the apparatus Amazon has built.| 519 | |其他科技公司也是经济学家的有效例子 - 比如拥有30人团队的优步 - 对亚马逊建立的设备坦诚钦佩。| 520 | |Other tech companies are also effective examples of economists — like Uber, which has a 30 person team — speak with frank admiration of the apparatus Amazon has built.| 521 | 522 | | under | 523 | | :--- | 524 | |And do not forget about your body language when receiving the compliment.| 525 | |收到恭维时不要忘记你的肢体语言。| 526 | |Do not forget about your body language when receiving the compliment.| 527 | 528 | | under | 529 | | :--- | 530 | |From November 2016 to September 2018, the company was hit with five discrimination lawsuits and charges from civil rights and labor gangs, workers and individuals.| 531 | |从2016年11月到2018年9月,该公司遭受了五项歧视诉讼,涉及民权和劳工团伙,工人和个人。| 532 | |From November 2016 to September 2018, the company was hit with five discrimination lawsuits about civil rights and labor gangs, workers and individuals.| 533 | 534 | | logic | 535 | | :--- | 536 | |From November 2016 to September 2018, the company was hit with five discrimination cases and charges from civil rights and labor organizations, workers and individuals.| 537 | |从2016年11月到2018年9月,该公司遭受了五起歧视案件,并受到民权和劳工组织,工人和个人的指控。| 538 | |From November 2016 to September 2018, the company was hit with five discrimination cases, and is charged by civil rights and labor organizations, workers and individuals.| 539 | 540 | | word/phrase \| logic | 541 | | :--- | 542 | |The other big draw: Even though the work Amazon ' s economists do may never see the light of day, within the company, it influences decisions that affect millions of people.| 543 | |另一个重要的吸引力:尽管亚马逊的经济学家所做的工作可能永远不会在公司内部看到,但它会影响影响数百万人的决策。| 544 | |The other big draw: Even though the work Amazon ' s economists do may never be seen within the company, it influences decisions that affect millions of people.| 545 | 546 | | word/phrase \| logic | 547 | | :--- | 548 | |The other big draw: Even though the work Amazon' s economists do may never see the light of day, within the company, it influences people that affect millions of people.| 549 | |另一个重要的吸引力:尽管亚马逊的经济学家所做的工作可能永远不会在公司内部看到光明,它会影响影响数百万人的人。| 550 | |The other big draw: Even though the work Amazon' s economists do may never see the light within the company, it influences people that affect millions of people.| 551 | 552 | | under | 553 | | :--- | 554 | |It is believed in the field that Amazon employs more PhD economists than any other tech company.| 555 | |亚马逊聘请的博士经济学家比其他任何科技公司都要多。| 556 | |Amazon employs more PhD economists than any other tech company.| 557 | 558 | | under | 559 | | :--- | 560 | |It is believed in the field that Amazon employs more PhD economists than any other major company.| 561 | |人们相信,亚马逊拥有的博士经济学家数量超过其他任何一家大公司。| 562 | |It is believed that Amazon employs more PhD economists than any other major company.| 563 | 564 | | under | 565 | | :--- | 566 | |It is believed in the field that Amazon employs more PhD students than any other tech company.| 567 | |据信,亚马逊的博士生比其他任何科技公司都多。| 568 | |It is believed that Amazon employs more PhD students than any other tech company.| 569 | 570 | | word/phrase | 571 | | :--- | 572 | |Unlike economists in academia or government, the work of Amazon' s economists is almost entirely theoretical, and staff are required to sign non disclosure agreements to keep it that way.| 573 | |与学术界或政府的经济学家不同,亚马逊经济学家的工作几乎完全是理论上的,工作人员必须签署非披露协议以保持这种方式。| 574 | |Unlike economists in academia or government, the work of Amazon' s economists is almost entirely theoretically, and staff are required to sign non disclosure agreements to keep it that way.| 575 | 576 | | under | 577 | | :--- | 578 | |They are in charge of their routines, and they can find all the information they need from their women or from other women in the world and online.| 579 | |他们负责他们的日常工作,他们可以从女性或世界其他女性和网上找到所需的所有信息。| 580 | |They are in charge of their routines, and they can find all the information they need from women or from other women in the world and online.| 581 | 582 | | under | 583 | | :--- | 584 | |Feedback, both negative and positive, should be a frequent occurrence in the workplace.| 585 | |负面和积极的反馈应该在工作场所经常发生。| 586 | |Feedback, negative and positive, should be a frequent occurrence in the workplace.| 587 | 588 | | under | 589 | | :--- | 590 | |The former employee is now looking for new career opportunities outside their field of expertise after hitting a road block in the job search.| 591 | |这位前员工在求职时遇到障碍后,正在寻找新的职业机会。| 592 | |The former employee is now looking for new career opportunities after hitting a road block in the job search.| 593 | 594 | | under \| logic | 595 | | :--- | 596 | |The former director is now looking for new career opportunities outside their field of expertise after hitting a road block in the job search.| 597 | |这位前董事现在正在寻找职业搜索中遇到障碍的新职业机会。| 598 | |The former director is now looking for new career opportunities to hit a road block in the job search.| 599 | 600 | | under \| logic | 601 | | :--- | 602 | |The former student is now looking for new career opportunities outside their field of expertise after hitting a road block in the job search.| 603 | |这位前学生现在正在寻找职业搜索中遇到障碍的新职业机会。| 604 | |The former student is now looking for new career opportunities to hit a road block in the job search.| 605 | 606 | | under \| logic | 607 | | :--- | 608 | |The former member is now looking for new career opportunities outside their field of expertise after hitting a road block in the job search.| 609 | |这位前成员现在正在寻找职业搜索中遇到障碍的新职业机会。| 610 | |The former member is now looking for new career opportunities to hit a road block in the job search.| 611 | 612 | | under | 613 | | :--- | 614 | |A merger is one potential step forward; other options include a complete retreat from Wall Street (more likely) or major new investment in the investment bank (less likely).| 615 | |合并是向前迈出的一步;其他选择包括从华尔街完全撤退(更有可能)或投资银行的重大新投资(不太可能)。| 616 | |A merger is one step forward; other options include a complete retreat from Wall Street (more likely) or major new investment in the investment bank (less likely).| 617 | 618 | | under | 619 | | :--- | 620 | |And this would take us closer to our goal of a truly European banking sector.| 621 | |这将使我们更接近真正的欧洲银行业的目标。| 622 | |This would take us closer to our goal of a truly European banking sector.| 623 | 624 | | under | 625 | | :--- | 626 | |And this would take us closer to our goal of a truly sustainable banking sector.| 627 | |这将使我们更接近实现真正可持续银行业的目标。| 628 | |This would take us closer to our goal of a truly sustainable banking sector.| 629 | 630 | | under | 631 | | :--- | 632 | |And this would take us closer to our goal of a large European banking sector.| 633 | |这将使我们更接近欧洲大型银行业的目标。| 634 | |This would take us closer to our goal of a large European banking sector.| 635 | 636 | | under \| logic | 637 | | :--- | 638 | |I think a third of us were in denial, said another former employee who continued working at the company after the Wall Street Journal story.| 639 | |在华尔街日报报道之后,另一名前雇员继续在公司工作,我认为我们中有三分之一的人否认了。| 640 | |I think a third of us were in denial, another former employee continued working at the company after the Wall Street Journal story.| 641 | 642 | | under \| logic | 643 | | :--- | 644 | |I think a part of us were in denial, said another former employee who continued working at the company after the Wall Street Journal story.| 645 | |我认为我们中有一部分人否认了,另一名前雇员在华尔街日报报道后继续在公司工作。| 646 | |I think a part of us were in denial, another former employee continued working at the company after the Wall Street Journal story.| 647 | 648 | | under \| logic | 649 | | :--- | 650 | |I think a lot of us were in denial, said another former employee who continued working at the company after the Wall Street police story.| 651 | |华尔街警方报道称,另一名前雇员继续在公司工作时说,我认为我们很多人都否认了。| 652 | |I think a lot of us were in denial, said another former employee when continued working at the company, said the Wall Street police story.| 653 | 654 | | word/phrase \| logic | 655 | | :--- | 656 | |The key to accepting praise at work is to show you received it and appreciate it.| 657 | |在工作中接受表扬的关键是告诉你收到它并欣赏它。| 658 | |The key to accepting praise at work is to tell you that received it and admire it.| 659 | 660 | | word/phrase \| logic | 661 | | :--- | 662 | |The alternative to accepting praise at work is to show you received it and appreciate it.| 663 | |在工作中接受表扬的另一种方法是向你展示并接受它并欣赏它。| 664 | |The alternative to accepting praise at work is to show you that received it and admire it.| 665 | 666 | | word/phrase | 667 | | :--- | 668 | |The key to accepting praise at pleasure is to show you received it and appreciate it.| 669 | |接受赞美的关键是要表明你收到并欣赏它。| 670 | |The key to accepting praise at pleasure is to show you received it and admire it.| 671 | 672 | | word/phrase \| logic | 673 | | :--- | 674 | |The key to accepting culture at work is to show you received it and appreciate it.| 675 | |在工作中接受文化的关键是向您展示并接受它。| 676 | |The key to accepting culture at work is to show you that received it and accept it.| 677 | 678 | | word/phrase | 679 | | :--- | 680 | |They left out that the pilots were not trained to handle it.| 681 | |他们遗漏了飞行员没有受过训练来处理它。| 682 | |They missed the pilots, were not trained to handle it.| 683 | 684 | | word/phrase | 685 | | :--- | 686 | |They left out that the students were not trained to handle it.| 687 | |他们遗漏了学生没有接受过训练来处理它。| 688 | |They missed the students, were not trained to handle it.| 689 | 690 | | word/phrase | 691 | | :--- | 692 | |They left out that the police were not trained to handle it.| 693 | |他们遗漏了警察没有接受过训练来处理它。| 694 | |They missed the police, were not trained to handle it.| 695 | 696 | | word/phrase | 697 | | :--- | 698 | |They left out that the men were not trained to handle it.| 699 | |他们遗漏了那些男人没有受过训练来处理它。| 700 | |They missed the men, were not trained to handle it.| 701 | 702 | | word/phrase | 703 | | :--- | 704 | |Economists can come close to an answer, enabling the company to make better decisions about which benefits to include and which to scrap.| 705 | |经济学家可以接近一个答案,使公司能够更好地决定要包括哪些好处以及哪些好处要废弃。| 706 | |Economists can come close to an answer, enabling the company to make better decisions about which benefits to include and which to get rid of (an old vehicle).| 707 | 708 | | word/phrase \| logic | 709 | | :--- | 710 | |Economists can come close to an elder, enabling the company to make better decisions about which benefits to include and which to scrap.| 711 | |经济学家可以接近老年人,使公司能够做出更好的决定,包括哪些利益包括哪些利益以及废弃哪些利益。| 712 | |Economists can come close to an elder, enabling the company to make better decisions, which benefits to include which benefits to include and which to get rid of (an old vehicle).| 713 | 714 | | word/phrase \| logic | 715 | | :--- | 716 | |Economists can come close to an answer, enabling the company to make more decisions about which benefits to include and which to scrap.| 717 | |经济学家可以接近答案,使公司能够做出更多决定,包括哪些利益包括哪些利益,哪些利益要废弃。| 718 | |Economists can come close to an answer, enabling the company to make more decisions, which benefits to include which benefits to include and which to get rid of (an old vehicle).| 719 | 720 | | over | 721 | | :--- | 722 | |Before, economists used to work on public data.| 723 | |以前,经济学家过去常常研究公共数据。| 724 | |Before, in the past, economists used to work on public data.| 725 | 726 | | over | 727 | | :--- | 728 | |Before, economists used to work on public day.| 729 | |以前,经济学家过去常常在公共日工作。| 730 | |Before, in the past, economists used to work on public day.| 731 | 732 | | word/phrase | 733 | | :--- | 734 | |The duration was reflected in the history of the fine, she added.| 735 | |她补充说,这段时间反映在罚款的历史上。| 736 | |This period of time was reflected in the history of the fine, she added.| 737 | 738 | | logic | 739 | | :--- | 740 | |But any picture would be opposed by the powerful labor unions and closely examined by EU regulators who may prefer a cross border merger that could strengthen Europe' s financial system.| 741 | |但任何形象都会被强大的工会所反对,并受到欧盟监管机构的密切关注,他们可能更喜欢跨境合并,这可能会加强欧洲的金融体系。| 742 | |But any picture would be opposed by the powerful labor unions and closely examined by EU regulators who may prefer a cross border merger, which may strengthen Europe' s financial system.| 743 | 744 | | logic | 745 | | :--- | 746 | |But any combination would be opposed by the powerful labor unions and closely examined by compliance regulators who may prefer a cross border merger that could strengthen Europe' s financial system.| 747 | |但任何组合都会受到强大的工会的反对,并由合规监管机构仔细研究,他们可能更喜欢跨境合并,这可能会加强欧洲的金融体系。| 748 | |But any combination would be opposed by the powerful labor unions and closely examined by compliance regulators who may prefer a cross border merger, which may strengthen Europe' s financial system.| 749 | 750 | | logic | 751 | | :--- | 752 | |But any combination would be opposed by the powerful labor unions and closely examined by EU professionals who may prefer a cross border merger that could strengthen Europe' s financial system.| 753 | |但任何组合都会遭到强大的工会的反对,并受到欧盟专业人士的密切关注,他们可能更喜欢跨境合并,这可能会加强欧洲的金融体系。| 754 | |But any combination would be opposed by the powerful labor unions and closely examined by EU professionals who may prefer a cross border merger, which may could strengthen Europe' s financial system.| 755 | 756 | | logic | 757 | | :--- | 758 | |At its peak in 2014, the blood testing startup was a graduate of Silicon Valley.| 759 | |在2014年的高峰期,血液测试初创公司毕业于硅谷。| 760 | |At its peak in 2014, the blood testing startup has been graduated from Silicon Valley.| 761 | 762 | | word/phrase | 763 | | :--- | 764 | |But if panic persisted and airlines were unwilling to buy it, the future of Boeing would be in jeopardy.| 765 | |但如果恐慌情绪持续存在且航空公司不愿意购买它,那么波音的未来将处于危险之中。| 766 | |But if panic persisted and airlines were unwilling to purchase it, the future of Boeing would be in jeopardy.| 767 | 768 | | word/phrase | 769 | | :--- | 770 | |But if panic persisted and airlines were unwilling to buy it, the people of Boeing would be in jeopardy.| 771 | |但如果恐慌持续,航空公司不愿意购买,波音公司的人民将面临危险。| 772 | |But if panic persisted and airlines were unwilling to purchase it, the people of Boeing would be in jeopardy.| 773 | 774 | | word/phrase \| under \| logic | 775 | | :--- | 776 | |According to a 2018 Harvard Business School study, venture capital firms that increased the number of female partners they hired by even 10% saw a bump in overall fund returns.| 777 | |根据哈佛商学院2018年的一项研究,风险投资公司将其雇佣的女性合作伙伴数量增加了10%,但整体资金回报率却有所上升。| 778 | |According to a 2018 Harvard Business School study, venture capital firms have increased the number of female cooperators they hired by 10%, but there is a bump in overall fund returns.| 779 | 780 | | word/phrase \| under \| over | 781 | | :--- | 782 | |According to a 2018 Harvard Business School review, venture capital firms that increased the number of female partners they hired by even 10% saw a bump in overall fund returns.| 783 | |根据哈佛商学院2018年的一篇评论,风险投资公司的雇佣女性合作伙伴数量增加了10%甚至10%。| 784 | |According to a 2018 Harvard Business School review, venture capital firms have increased the number of female cooperators they hired by 10% even 10%.| 785 | 786 | | word/phrase \| under \| over | 787 | | :--- | 788 | |According to a 2018 Harvard Business School study, venture capital firms that increased the number of female partners they hired by even 10% saw a bump in overall career returns.| 789 | |根据哈佛商学院2018年的一项研究,风险投资公司的雇佣女性合作伙伴数量增加了10%甚至10%。| 790 | |According to a 2018 Harvard Business School study, venture capital firms have increased the number of female cooperators they hired by 10% even 10%.| 791 | 792 | | word/phrase \| under \| over | 793 | | :--- | 794 | |According to a 2018 Harvard Business School study, venture capital firms that increased the number of female partners they hired by even 10% saw a bump in overall fund size.| 795 | |根据哈佛商学院2018年的一项研究,风险投资公司的雇佣女性合作伙伴数量增加了10%甚至10%。| 796 | |According to a 2018 Harvard Business School study, venture capital firms have increased the number of female cooperators they hired by 10% even 10%.| 797 | 798 | | logic | 799 | | :--- | 800 | |And now, if they want to study behavior, the tech companies have it, and it ' s proprietary.| 801 | |而现在,如果他们想要研究行为,那么科技公司就拥有它,而且它是专有的。| 802 | |And now, if they want to study behavior, then the tech companies have it, and it ' s proprietary.| 803 | 804 | | logic \| under | 805 | | :--- | 806 | |And now, if they want to study something, the tech companies have it, and it' s proprietary.| 807 | |现在,如果他们想要研究某些东西,那么科技公司就会拥有它,而且它是专有的。| 808 | |Now, if they want to study something, then tech companies will have it, and it' s proprietary.| 809 | 810 | | logic \| under | 811 | | :--- | 812 | |And now, if they want to study behavior, the drug companies have it, and it' s proprietary.| 813 | |现在,如果他们想研究行为,制药公司就会拥有它,而且它是专有的。| 814 | |Now, if they want to study behavior, the drug companies will have it, and it' s proprietary.| 815 | 816 | | logic | 817 | | :--- | 818 | |And now, if they want to study behavior, the tech companies have it, and it' ll proprietary.| 819 | |而现在,如果他们想要研究行为,那么科技公司就会拥有它,并且它会专有。| 820 | |And now, if they want to study behavior, then the tech companies will have it, and it' ll proprietary.| 821 | 822 | | logic \| over | 823 | | :--- | 824 | |Since then, the ex employee has been rejected for multiple jobs and is still searching.| 825 | |从那时起,前雇员因多个工作被拒绝,仍在搜索。| 826 | |Since then, the ex employee is still searching because he/she has been multiple jobs rejected for.| 827 | 828 | | logic | 829 | | :--- | 830 | |Since then, the ex employee has been rejected for multiple projects and is still searching.| 831 | |从那以后,前雇员被拒绝了多个项目并且仍在搜索。| 832 | |Since then, the ex employee has been rejected multiple projects and is still searching.| 833 | 834 | | logic | 835 | | :--- | 836 | |Since then, the ex employee has been rejected for multiple categories and is still searching.| 837 | |从那时起,前雇员被拒绝了多个类别并仍在搜索。| 838 | |Since then, the ex employee has been rejected multiple categories and is still searching.| 839 | 840 | | logic | 841 | | :--- | 842 | |Since then, the ex employee has been rejected for more jobs and is still searching.| 843 | |从那以后,前雇员被拒绝了更多的工作,仍然在寻找。| 844 | |Since then, the ex employee has been rejected more jobs and is still searching.| 845 | 846 | | word/phrase | 847 | | :--- | 848 | |If that does not happen, the chances of the country crashing out of the bloc without a transitional deal on March 29 increase.| 849 | |如果这种情况没有发生,那么该国在没有过渡协议的情况下于3月29日崩溃的可能性就会增加。| 850 | |If that does not happen, the chances of the country crashing without a transitional deal on March 29 increase.| 851 | 852 | | word/phrase \| logic \| under | 853 | | :--- | 854 | |If that does not happen, the chances of the country crashing out of the bloc without a good deal on March 29 increase.| 855 | |如果这种情况没有发生,那么这个国家在3月29日没有得到很好的协议就会有机会从这个集团中崩溃。| 856 | |If that does not happen, then the country does not get a good deal on March 29 so there are chances for them to crash in the bloc.| 857 | 858 | | modification | 859 | | :--- | 860 | |Anxious gossip about who is and is not mentioned in the weekly news reports.| 861 | |关于每周新闻报道中是谁和未被提及的焦虑八卦。| 862 | |Anxious gossip about who is in and who is not mentioned in the weekly news reports.| 863 | 864 | | under | 865 | | :--- | 866 | |Anxious gossip about who is and is not mentioned in the latest police reports.| 867 | |在最新的警方报告中,关于谁和未被提及的焦虑八卦。| 868 | |Anxious gossip about who and is not mentioned in the latest police reports.| 869 | 870 | | modification | 871 | | :--- | 872 | |Anxious gossip about who is and is not mentioned in the latest weather reports.| 873 | |关于最新天气预报中是谁和未提及的焦虑八卦。| 874 | |Anxious gossip about who is in and who is not mentioned in the latest weather reports.| 875 | 876 | 877 | | word/phrase | 878 | | :--- | 879 | |I am very concerned about whether these institutions are doing a good enough job at getting these students to graduation.| 880 | |我非常关心这些机构是否在让这些学生毕业方面做得很好。| 881 | |I am very concerned about whether these institutions are doing a very good job at getting these students to graduation.| 882 | 883 | | word/phrase | 884 | | :--- | 885 | |I am very sensitive about whether these institutions are doing a good enough job at getting these students to graduation.| 886 | |我对这些机构是否在让这些学生毕业方面做得非常好非常敏感。| 887 | |I am very sensitive about whether these institutions are doing a very good job at getting these students to graduation.| 888 | 889 | | logic | 890 | | :--- | 891 | |I am very concerned about whether these institutions are doing a good enough time at getting these students to graduation.| 892 | |我非常关心这些机构是否在为这些学生毕业做了足够的时间。| 893 | |I am very concerned about whether these institutions are doing a good enough time for the students' graduation.| 894 | 895 | | under | 896 | | :--- | 897 | |Harley Davidson, stuck in the middle, said it could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 898 | |陷入困境的哈雷戴维森表示,每年可能损失1亿美元,因此该公司决定将部分生产转移到海外以避免欧盟关税。| 899 | |Harley Davidson, stuck in the middle, said could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 900 | 901 | | under | 902 | | :--- | 903 | |Harley russia, stuck in the middle, said it could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 904 | |陷入困境的哈雷俄罗斯表示每年可能损失1亿美元,因此公司决定将部分生产转移到海外,以避免欧盟征收关税。| 905 | |Harley russia, stuck in the middle, said could lose $100 million per year, so the company decided to move some production overseas to avoid the EU tariffs.| 906 | 907 | | word/phrase | 908 | | :--- | 909 | |Meanwhile, whites still fill several of the seats at the most selective institutions, which spend the most on their students.| 910 | |与此同时,白人仍然在最有选择性的机构中填补了几个席位,这些机构对学生的支出最多。| 911 | |Meanwhile, whites were still supplemented to fill several of the seats at the most selective institutions, which spend the most on their students.| 912 | 913 | | under \| logic | 914 | | :--- | 915 | |In these top tier public schools, African American and Latino students compose only 19 members of the entering class.| 916 | |在这些顶级公立学校中,非裔美国人和拉美裔学生只有19名入学成员。| 917 | |In these top tier public schools, African American and Latino students only have 19 entering members.| 918 | 919 | | under \| logic | 920 | | :--- | 921 | |In these top tier public schools, African American and Latino students compose only 19 students of the entering class.| 922 | |在这些顶级公立学校,非裔美国人和拉美裔学生只有19名入学的学生。| 923 | |In these top tier public schools, African American and Latino students only have 19 entering students.| 924 | 925 | | logic | 926 | | :--- | 927 | |Whites compose only 54 individuals of the college age population.| 928 | |白人只有54个大学年龄人口。| 929 | |Whites only have 54 individuals of college age.| 930 | 931 | | wrong \| logic | 932 | | :--- | 933 | |Anxiety over flying on Boeing ' s 737 Max planes reached a fever pitch after the crash in Ethiopia.| 934 | |埃塞俄比亚事故发生后,波音公司737 Max飞机上的飞行焦虑达到了高潮。| 935 | |Flying Anxiety on Boeing ' s 737 Max planes reached a fever pitch after the accident in Ethiopia.| 936 | 937 | | under | 938 | | :--- | 939 | |Anxiety over flying on Boeing' s 737 Max planes reached a fever pitch after the one in Ethiopia.| 940 | |在波音737 Max飞机上飞行的焦虑在埃塞俄比亚之后达到了高潮。| 941 | |Anxiety over flying on Boeing' s 737 Max planes reached a fever pitch after Ethiopia.| 942 | 943 | | logic | 944 | | :--- | 945 | |The rest of England has said the fallout from that scenario would be worse than the 2008 financial crisis.| 946 | |英格兰其他地区表示,这种情况下的影响将比2008年的金融危机更糟。| 947 | |The rest of England has said, in this case, the fallout would be worse than the 2008 financial crisis.| 948 | 949 | | logic | 950 | | :--- | 951 | |The Bank of England has said the fallout from that scenario would be stronger than the 2008 financial crisis.| 952 | |英格兰银行表示,这种情况下的影响将强于2008年的金融危机。| 953 | |The Bank of England has said, in this case, the fallout would be stronger than the 2008 financial crisis.| 954 | 955 | 956 | | logic | 957 | | :--- | 958 | |The Bank of England has said the fallout from that scenario would be worse than the 2008 financial day.| 959 | |英格兰银行表示,这种情况下的影响将比2008财政日更糟。| 960 | |The Bank of England has said, in this case, the fallout would be worse than the 2008 financial day.| 961 | 962 | | under | 963 | | :--- | 964 | |Holmes pleaded not guilty to the charges of wire fraud and conspiracy to commit wire fraud.| 965 | |福尔摩斯对电汇欺诈和串谋欺诈行为的指控表示不认罪。| 966 | |Holmes pleaded not guilty to the charges of wire fraud and conspiracy to commit fraud.| 967 | 968 | 969 | | word/phrase | 970 | | :--- | 971 | |Holmes pleaded not guilty to the charges of wire bank and conspiracy to commit wire fraud.| 972 | |福尔摩斯对有线电视和阴谋进行电汇欺诈的指控表示不认罪。| 973 | |Holmes pleaded not guilty to the charges of wire television and conspiracy to commit wire fraud.| 974 | 975 | | word/phrase | 976 | | :--- | 977 | |The ultimate scale of the exodus is likely to depend on the terms of the divorce and when it occurs.| 978 | |出走的最终规模可能取决于离婚条款及何时发生。| 979 | |The ultimate scale of the exodus is likely to depend on the terms of the ending of a human marriage and when it occurs.| 980 | 981 | 982 | | word/phrase | 983 | | :--- | 984 | |The ultimate scale of the exodus is likely to depend on the duration of the divorce and when it occurs.| 985 | |出走的最终规模可能取决于离婚的持续时间和何时发生。| 986 | |The ultimate scale of the exodus is likely to depend on the duration of the ending of a human marriage and when it occurs.| 987 | 988 | | word/phrase | 989 | | :--- | 990 | |The ultimate scale of the exodus is likely to depend on the timing of the divorce and when it occurs.| 991 | |出走的最终规模可能取决于离婚的时间和何时发生。| 992 | |The ultimate scale of the exodus is likely to depend on the timing of the ending of a human marriage and when it occurs.| 993 | 994 | 995 | | word/phrase | 996 | | :--- | 997 | |The ultimate scale of the exodus is likely to depend on the time of the divorce and when it occurs.| 998 | |出走的最终规模可能取决于离婚的时间和何时发生。| 999 | |The ultimate scale of the exodus is likely to depend on the time of the ending of a human marriage and when it occurs.| 1000 | --------------------------------------------------------------------------------