├── .gitignore ├── CBOW ├── cbow.py ├── data │ ├── cn.txt │ ├── cn.txt.ebd.npy │ ├── cn.txt.vab │ ├── en.txt │ ├── en.txt.ebd.npy │ └── en.txt.vab ├── data_parser.py └── test_embededword.py ├── LICENSE ├── README.md ├── checkpoints ├── checkpoint ├── dev.data-00000-of-00001 ├── dev.index └── dev.meta ├── data ├── cn.test.txt ├── cn.txt ├── cn.txt.ebd.npy ├── cn.txt.vab ├── code.file ├── en.test.txt ├── en.txt ├── en.txt.ebd.npy ├── en.txt.vab ├── result.txt └── voc.txt ├── doc └── neural machine translation by jointly learning to align and translate.pdf ├── inference.py ├── seq2seq.py ├── utils.py └── 说明文档.docx /.gitignore: -------------------------------------------------------------------------------- 1 | .idea/ 2 | -------------------------------------------------------------------------------- /CBOW/cbow.py: -------------------------------------------------------------------------------- 1 | #coding:utf-8 2 | __author__ = 'jmh081701' 3 | import data_parser 4 | import tensorflow as tf 5 | import numpy as np 6 | import json 7 | 8 | corpus_path = "data\\cn.txt" 9 | embedding_word_path = corpus_path+".ebd" 10 | vacb_path = corpus_path+".vab" 11 | data = data_parser.TextLoader(corpus_path,batch_size=100) 12 | 13 | embedding_word_length = 100 14 | learning_rate =0.0001 15 | #输入 16 | input_x = tf.placeholder(dtype=tf.float32,shape=[None,data.vacb_size],name="inputx") 17 | input_y = tf.placeholder(dtype=tf.float32,shape=[None,data.vacb_size],name='inputy') 18 | W1 = tf.Variable(name="embedding_word",initial_value=tf.truncated_normal(shape=[data.vacb_size,embedding_word_length],stddev=1.0/(data.vacb_size))) 19 | #W1其实就是 词向量矩阵 20 | W2 = tf.Variable(tf.truncated_normal(shape=[embedding_word_length,data.vacb_size],stddev=1.0/data.vacb_size)) 21 | #计算过程 22 | #累加所有的X,然后取平均值,再去乘以词向量矩阵;其效果就是相当于,选择出所有的上下文的词向量,然后取平均 23 | hidden = tf.matmul(input_x,W1) 24 | output = tf.matmul(hidden,W2) #batch_size * vacb_size的大小 25 | output_softmax = tf.nn.softmax(output) 26 | #取出中心词的那个概率值,因为iinput_y是一个one-hot向量,左乘一个列向量,就是将这个列的第i行取出 27 | output_y = tf.matmul(input_y,output_softmax,transpose_b=True) 28 | loss = tf.reduce_sum(- tf.log(output_y)) #将batch里面的output_y累加起来 29 | train_op = tf.train.AdamOptimizer(learning_rate).minimize(loss) 30 | 31 | with tf.Session() as sess: 32 | sess.run(tf.initialize_all_variables()) 33 | max_epoch =100 34 | for epoch in range(1,max_epoch): 35 | _x,_y = data.next_batch() 36 | #生成本次的输入 37 | x =[] 38 | y =[] 39 | for i in range(0,len(_x)): 40 | #将Context*2 -1 个向量,求和取平均为一个向量,用于将来和词向量矩阵相乘 41 | vec = np.zeros(shape=[data.vacb_size]) 42 | for j in range(0,len(_x[i])): 43 | vec[ _x[i][j] ] += 1 44 | vec /= len(_x[i]) 45 | x.append(vec) 46 | y_vec = np.zeros(shape=[data.vacb_size]) 47 | y_vec[_y[i]] = 1 48 | y.append(y_vec) 49 | _loss,_ = sess.run([loss,train_op],feed_dict={input_x:x,input_y:y}) 50 | if (epoch % 100 )==0 : 51 | print({'loss':_loss,'epoch':epoch}) 52 | 53 | #保存词向量 54 | _W1 = sess.run(W1,feed_dict={input_x:[np.zeros([data.vacb_size])],input_y:[np.zeros([data.vacb_size])]}) 55 | #每一行就是对应词的词向量 56 | np.save(embedding_word_path,_W1) 57 | with open(vacb_path,"w",encoding='utf8') as fp: 58 | json.dump(data.inverseV,fp) 59 | 60 | print("Some TEST:") 61 | print(":",_W1[data.V['']]) 62 | print(":",_W1[data.V['']]) 63 | print(":",_W1[data.V['']]) 64 | print("you:",_W1[data.V['you']]) 65 | print("are:",_W1[data.V['are']]) 66 | print("is:",_W1[data.V['is']]) 67 | print("Find Some Word pairs With high similarity") 68 | -------------------------------------------------------------------------------- /CBOW/data/cn.txt.ebd.npy: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/jmhIcoding/machine_translation/45264d0aa90980ebca5a134a802f025908a6c04d/CBOW/data/cn.txt.ebd.npy -------------------------------------------------------------------------------- /CBOW/data/en.txt.ebd.npy: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/jmhIcoding/machine_translation/45264d0aa90980ebca5a134a802f025908a6c04d/CBOW/data/en.txt.ebd.npy -------------------------------------------------------------------------------- /CBOW/data_parser.py: -------------------------------------------------------------------------------- 1 | #coding:utf-8 2 | __author__ = 'jmh081701' 3 | import random 4 | class TextLoader(object): 5 | def __init__(self,input_data_path,Context_length=10,batch_size=10,min_frq = 0): 6 | self.Context_length = Context_length #定义上下文的长度 7 | self.V = {} # map word to index 8 | self.inverseV ={} #map index to word 9 | self.raw_text =list() 10 | self.x_data =list() 11 | self.y_data =list() 12 | self.number_batch = 0 13 | self.batch_size = batch_size 14 | 15 | raw_text = [] 16 | #输入原始数据并统计词频 17 | V = dict() #{'word':frq} 18 | with open(input_data_path,"r",encoding="utf8") as fp: 19 | lines = fp.readlines() 20 | for line in lines: 21 | line =line.split(" ") 22 | line = ['']+line+[''] #为每句话加上, 23 | raw_text += line 24 | for word in line: 25 | if word in V: 26 | V[word] +=1 27 | else: 28 | V.setdefault(word,1) 29 | 30 | #清除词频太小的词,同时为各个词建立下标到索引之间的映射 31 | self.V.setdefault('',0) 32 | self.inverseV.setdefault(0,'') 33 | cnt = 1 34 | for word in V: 35 | if V[word] <= min_frq: 36 | continue 37 | else: 38 | self.V.setdefault(word,cnt) 39 | self.inverseV.setdefault(cnt,word) 40 | cnt +=1 41 | self.vacb_size = len(self.V) 42 | #将文本由字符串,转换为词的下标 43 | for word in raw_text: 44 | self.raw_text +=[self.V[word] if word in self.V else self.V['']] 45 | #生成batches 46 | self.gen_batch() 47 | 48 | def gen_batch(self): 49 | self.x_data =[] 50 | self.y_data =[] 51 | for index in range(self.Context_length,len(self.raw_text)-self.Context_length): 52 | #index的前Context,加上index的后Context个词,一起构成了index词的上下文 53 | x = self.raw_text[(index-self.Context_length):index]+ self.raw_text[(index+1):(self.Context_length+index)] 54 | y = [ self.raw_text[index] ] 55 | self.x_data.append(x) 56 | self.y_data.append(y) 57 | self.number_batch =int( len(self.x_data) / self.batch_size) 58 | 59 | def next_batch(self): 60 | batch_pointer = random.randint(0,self.number_batch-1) 61 | x = self.x_data[batch_pointer:(batch_pointer+self.batch_size)] 62 | y = self.y_data[batch_pointer:(batch_pointer+self.batch_size)] 63 | return x ,y 64 | 65 | if __name__ == '__main__': 66 | data = TextLoader("data\\input.en.txt") 67 | print(data.vacb_size) 68 | x,y=data.next_batch() 69 | print(x) 70 | print(y) -------------------------------------------------------------------------------- /CBOW/test_embededword.py: -------------------------------------------------------------------------------- 1 | __author__ = 'jmh081701' 2 | import json 3 | import numpy as np 4 | npy_path = "data//input.en.txt.ebd.npy" 5 | vab_path="data//input.en.txt.vab" 6 | W=np.load(npy_path) 7 | inverseV={}#map word to index 8 | V={} #map index to word 9 | with open(vab_path,encoding='utf8') as fp: 10 | V=json.load(fp) 11 | for each in V: 12 | inverseV.setdefault(V[each],int(each)) 13 | def find_min_word(word,k): 14 | vec = W[inverseV[word]] 15 | tmp=[] 16 | for i in range(len(V)): 17 | tmp.append(np.matmul(vec-W[i].T,(vec-W[i].T).T)) 18 | s =[] 19 | rst=[] 20 | for i in range(len(tmp)): 21 | s.append([tmp[i],i]) 22 | s.sort() 23 | print(s) 24 | for i in range(k): 25 | rst.append(V[str(s[i][1])]) 26 | return rst 27 | print(find_min_word('6',10)) 28 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | GNU GENERAL PUBLIC LICENSE 2 | Version 3, 29 June 2007 3 | 4 | Copyright (C) 2007 Free Software Foundation, Inc. 5 | Everyone is permitted to copy and distribute verbatim copies 6 | of this license document, but changing it is not allowed. 7 | 8 | Preamble 9 | 10 | The GNU General Public License is a free, copyleft license for 11 | software and other kinds of works. 12 | 13 | The licenses for most software and other practical works are designed 14 | to take away your freedom to share and change the works. By contrast, 15 | the GNU General Public License is intended to guarantee your freedom to 16 | share and change all versions of a program--to make sure it remains free 17 | software for all its users. We, the Free Software Foundation, use the 18 | GNU General Public License for most of our software; it applies also to 19 | any other work released this way by its authors. You can apply it to 20 | your programs, too. 21 | 22 | When we speak of free software, we are referring to freedom, not 23 | price. Our General Public Licenses are designed to make sure that you 24 | have the freedom to distribute copies of free software (and charge for 25 | them if you wish), that you receive source code or can get it if you 26 | want it, that you can change the software or use pieces of it in new 27 | free programs, and that you know you can do these things. 28 | 29 | To protect your rights, we need to prevent others from denying you 30 | these rights or asking you to surrender the rights. Therefore, you have 31 | certain responsibilities if you distribute copies of the software, or if 32 | you modify it: responsibilities to respect the freedom of others. 33 | 34 | For example, if you distribute copies of such a program, whether 35 | gratis or for a fee, you must pass on to the recipients the same 36 | freedoms that you received. You must make sure that they, too, receive 37 | or can get the source code. And you must show them these terms so they 38 | know their rights. 39 | 40 | Developers that use the GNU GPL protect your rights with two steps: 41 | (1) assert copyright on the software, and (2) offer you this License 42 | giving you legal permission to copy, distribute and/or modify it. 43 | 44 | For the developers' and authors' protection, the GPL clearly explains 45 | that there is no warranty for this free software. For both users' and 46 | authors' sake, the GPL requires that modified versions be marked as 47 | changed, so that their problems will not be attributed erroneously to 48 | authors of previous versions. 49 | 50 | Some devices are designed to deny users access to install or run 51 | modified versions of the software inside them, although the manufacturer 52 | can do so. This is fundamentally incompatible with the aim of 53 | protecting users' freedom to change the software. The systematic 54 | pattern of such abuse occurs in the area of products for individuals to 55 | use, which is precisely where it is most unacceptable. Therefore, we 56 | have designed this version of the GPL to prohibit the practice for those 57 | products. If such problems arise substantially in other domains, we 58 | stand ready to extend this provision to those domains in future versions 59 | of the GPL, as needed to protect the freedom of users. 60 | 61 | Finally, every program is threatened constantly by software patents. 62 | States should not allow patents to restrict development and use of 63 | software on general-purpose computers, but in those that do, we wish to 64 | avoid the special danger that patents applied to a free program could 65 | make it effectively proprietary. To prevent this, the GPL assures that 66 | patents cannot be used to render the program non-free. 67 | 68 | The precise terms and conditions for copying, distribution and 69 | modification follow. 70 | 71 | TERMS AND CONDITIONS 72 | 73 | 0. Definitions. 74 | 75 | "This License" refers to version 3 of the GNU General Public License. 76 | 77 | "Copyright" also means copyright-like laws that apply to other kinds of 78 | works, such as semiconductor masks. 79 | 80 | "The Program" refers to any copyrightable work licensed under this 81 | License. Each licensee is addressed as "you". "Licensees" and 82 | "recipients" may be individuals or organizations. 83 | 84 | To "modify" a work means to copy from or adapt all or part of the work 85 | in a fashion requiring copyright permission, other than the making of an 86 | exact copy. The resulting work is called a "modified version" of the 87 | earlier work or a work "based on" the earlier work. 88 | 89 | A "covered work" means either the unmodified Program or a work based 90 | on the Program. 91 | 92 | To "propagate" a work means to do anything with it that, without 93 | permission, would make you directly or secondarily liable for 94 | infringement under applicable copyright law, except executing it on a 95 | computer or modifying a private copy. Propagation includes copying, 96 | distribution (with or without modification), making available to the 97 | public, and in some countries other activities as well. 98 | 99 | To "convey" a work means any kind of propagation that enables other 100 | parties to make or receive copies. Mere interaction with a user through 101 | a computer network, with no transfer of a copy, is not conveying. 102 | 103 | An interactive user interface displays "Appropriate Legal Notices" 104 | to the extent that it includes a convenient and prominently visible 105 | feature that (1) displays an appropriate copyright notice, and (2) 106 | tells the user that there is no warranty for the work (except to the 107 | extent that warranties are provided), that licensees may convey the 108 | work under this License, and how to view a copy of this License. If 109 | the interface presents a list of user commands or options, such as a 110 | menu, a prominent item in the list meets this criterion. 111 | 112 | 1. Source Code. 113 | 114 | The "source code" for a work means the preferred form of the work 115 | for making modifications to it. "Object code" means any non-source 116 | form of a work. 117 | 118 | A "Standard Interface" means an interface that either is an official 119 | standard defined by a recognized standards body, or, in the case of 120 | interfaces specified for a particular programming language, one that 121 | is widely used among developers working in that language. 122 | 123 | The "System Libraries" of an executable work include anything, other 124 | than the work as a whole, that (a) is included in the normal form of 125 | packaging a Major Component, but which is not part of that Major 126 | Component, and (b) serves only to enable use of the work with that 127 | Major Component, or to implement a Standard Interface for which an 128 | implementation is available to the public in source code form. A 129 | "Major Component", in this context, means a major essential component 130 | (kernel, window system, and so on) of the specific operating system 131 | (if any) on which the executable work runs, or a compiler used to 132 | produce the work, or an object code interpreter used to run it. 133 | 134 | The "Corresponding Source" for a work in object code form means all 135 | the source code needed to generate, install, and (for an executable 136 | work) run the object code and to modify the work, including scripts to 137 | control those activities. However, it does not include the work's 138 | System Libraries, or general-purpose tools or generally available free 139 | programs which are used unmodified in performing those activities but 140 | which are not part of the work. For example, Corresponding Source 141 | includes interface definition files associated with source files for 142 | the work, and the source code for shared libraries and dynamically 143 | linked subprograms that the work is specifically designed to require, 144 | such as by intimate data communication or control flow between those 145 | subprograms and other parts of the work. 146 | 147 | The Corresponding Source need not include anything that users 148 | can regenerate automatically from other parts of the Corresponding 149 | Source. 150 | 151 | The Corresponding Source for a work in source code form is that 152 | same work. 153 | 154 | 2. Basic Permissions. 155 | 156 | All rights granted under this License are granted for the term of 157 | copyright on the Program, and are irrevocable provided the stated 158 | conditions are met. This License explicitly affirms your unlimited 159 | permission to run the unmodified Program. The output from running a 160 | covered work is covered by this License only if the output, given its 161 | content, constitutes a covered work. This License acknowledges your 162 | rights of fair use or other equivalent, as provided by copyright law. 163 | 164 | You may make, run and propagate covered works that you do not 165 | convey, without conditions so long as your license otherwise remains 166 | in force. You may convey covered works to others for the sole purpose 167 | of having them make modifications exclusively for you, or provide you 168 | with facilities for running those works, provided that you comply with 169 | the terms of this License in conveying all material for which you do 170 | not control copyright. Those thus making or running the covered works 171 | for you must do so exclusively on your behalf, under your direction 172 | and control, on terms that prohibit them from making any copies of 173 | your copyrighted material outside their relationship with you. 174 | 175 | Conveying under any other circumstances is permitted solely under 176 | the conditions stated below. Sublicensing is not allowed; section 10 177 | makes it unnecessary. 178 | 179 | 3. Protecting Users' Legal Rights From Anti-Circumvention Law. 180 | 181 | No covered work shall be deemed part of an effective technological 182 | measure under any applicable law fulfilling obligations under article 183 | 11 of the WIPO copyright treaty adopted on 20 December 1996, or 184 | similar laws prohibiting or restricting circumvention of such 185 | measures. 186 | 187 | When you convey a covered work, you waive any legal power to forbid 188 | circumvention of technological measures to the extent such circumvention 189 | is effected by exercising rights under this License with respect to 190 | the covered work, and you disclaim any intention to limit operation or 191 | modification of the work as a means of enforcing, against the work's 192 | users, your or third parties' legal rights to forbid circumvention of 193 | technological measures. 194 | 195 | 4. Conveying Verbatim Copies. 196 | 197 | You may convey verbatim copies of the Program's source code as you 198 | receive it, in any medium, provided that you conspicuously and 199 | appropriately publish on each copy an appropriate copyright notice; 200 | keep intact all notices stating that this License and any 201 | non-permissive terms added in accord with section 7 apply to the code; 202 | keep intact all notices of the absence of any warranty; and give all 203 | recipients a copy of this License along with the Program. 204 | 205 | You may charge any price or no price for each copy that you convey, 206 | and you may offer support or warranty protection for a fee. 207 | 208 | 5. Conveying Modified Source Versions. 209 | 210 | You may convey a work based on the Program, or the modifications to 211 | produce it from the Program, in the form of source code under the 212 | terms of section 4, provided that you also meet all of these conditions: 213 | 214 | a) The work must carry prominent notices stating that you modified 215 | it, and giving a relevant date. 216 | 217 | b) The work must carry prominent notices stating that it is 218 | released under this License and any conditions added under section 219 | 7. This requirement modifies the requirement in section 4 to 220 | "keep intact all notices". 221 | 222 | c) You must license the entire work, as a whole, under this 223 | License to anyone who comes into possession of a copy. This 224 | License will therefore apply, along with any applicable section 7 225 | additional terms, to the whole of the work, and all its parts, 226 | regardless of how they are packaged. This License gives no 227 | permission to license the work in any other way, but it does not 228 | invalidate such permission if you have separately received it. 229 | 230 | d) If the work has interactive user interfaces, each must display 231 | Appropriate Legal Notices; however, if the Program has interactive 232 | interfaces that do not display Appropriate Legal Notices, your 233 | work need not make them do so. 234 | 235 | A compilation of a covered work with other separate and independent 236 | works, which are not by their nature extensions of the covered work, 237 | and which are not combined with it such as to form a larger program, 238 | in or on a volume of a storage or distribution medium, is called an 239 | "aggregate" if the compilation and its resulting copyright are not 240 | used to limit the access or legal rights of the compilation's users 241 | beyond what the individual works permit. Inclusion of a covered work 242 | in an aggregate does not cause this License to apply to the other 243 | parts of the aggregate. 244 | 245 | 6. Conveying Non-Source Forms. 246 | 247 | You may convey a covered work in object code form under the terms 248 | of sections 4 and 5, provided that you also convey the 249 | machine-readable Corresponding Source under the terms of this License, 250 | in one of these ways: 251 | 252 | a) Convey the object code in, or embodied in, a physical product 253 | (including a physical distribution medium), accompanied by the 254 | Corresponding Source fixed on a durable physical medium 255 | customarily used for software interchange. 256 | 257 | b) Convey the object code in, or embodied in, a physical product 258 | (including a physical distribution medium), accompanied by a 259 | written offer, valid for at least three years and valid for as 260 | long as you offer spare parts or customer support for that product 261 | model, to give anyone who possesses the object code either (1) a 262 | copy of the Corresponding Source for all the software in the 263 | product that is covered by this License, on a durable physical 264 | medium customarily used for software interchange, for a price no 265 | more than your reasonable cost of physically performing this 266 | conveying of source, or (2) access to copy the 267 | Corresponding Source from a network server at no charge. 268 | 269 | c) Convey individual copies of the object code with a copy of the 270 | written offer to provide the Corresponding Source. This 271 | alternative is allowed only occasionally and noncommercially, and 272 | only if you received the object code with such an offer, in accord 273 | with subsection 6b. 274 | 275 | d) Convey the object code by offering access from a designated 276 | place (gratis or for a charge), and offer equivalent access to the 277 | Corresponding Source in the same way through the same place at no 278 | further charge. You need not require recipients to copy the 279 | Corresponding Source along with the object code. If the place to 280 | copy the object code is a network server, the Corresponding Source 281 | may be on a different server (operated by you or a third party) 282 | that supports equivalent copying facilities, provided you maintain 283 | clear directions next to the object code saying where to find the 284 | Corresponding Source. Regardless of what server hosts the 285 | Corresponding Source, you remain obligated to ensure that it is 286 | available for as long as needed to satisfy these requirements. 287 | 288 | e) Convey the object code using peer-to-peer transmission, provided 289 | you inform other peers where the object code and Corresponding 290 | Source of the work are being offered to the general public at no 291 | charge under subsection 6d. 292 | 293 | A separable portion of the object code, whose source code is excluded 294 | from the Corresponding Source as a System Library, need not be 295 | included in conveying the object code work. 296 | 297 | A "User Product" is either (1) a "consumer product", which means any 298 | tangible personal property which is normally used for personal, family, 299 | or household purposes, or (2) anything designed or sold for incorporation 300 | into a dwelling. In determining whether a product is a consumer product, 301 | doubtful cases shall be resolved in favor of coverage. For a particular 302 | product received by a particular user, "normally used" refers to a 303 | typical or common use of that class of product, regardless of the status 304 | of the particular user or of the way in which the particular user 305 | actually uses, or expects or is expected to use, the product. A product 306 | is a consumer product regardless of whether the product has substantial 307 | commercial, industrial or non-consumer uses, unless such uses represent 308 | the only significant mode of use of the product. 309 | 310 | "Installation Information" for a User Product means any methods, 311 | procedures, authorization keys, or other information required to install 312 | and execute modified versions of a covered work in that User Product from 313 | a modified version of its Corresponding Source. The information must 314 | suffice to ensure that the continued functioning of the modified object 315 | code is in no case prevented or interfered with solely because 316 | modification has been made. 317 | 318 | If you convey an object code work under this section in, or with, or 319 | specifically for use in, a User Product, and the conveying occurs as 320 | part of a transaction in which the right of possession and use of the 321 | User Product is transferred to the recipient in perpetuity or for a 322 | fixed term (regardless of how the transaction is characterized), the 323 | Corresponding Source conveyed under this section must be accompanied 324 | by the Installation Information. But this requirement does not apply 325 | if neither you nor any third party retains the ability to install 326 | modified object code on the User Product (for example, the work has 327 | been installed in ROM). 328 | 329 | The requirement to provide Installation Information does not include a 330 | requirement to continue to provide support service, warranty, or updates 331 | for a work that has been modified or installed by the recipient, or for 332 | the User Product in which it has been modified or installed. Access to a 333 | network may be denied when the modification itself materially and 334 | adversely affects the operation of the network or violates the rules and 335 | protocols for communication across the network. 336 | 337 | Corresponding Source conveyed, and Installation Information provided, 338 | in accord with this section must be in a format that is publicly 339 | documented (and with an implementation available to the public in 340 | source code form), and must require no special password or key for 341 | unpacking, reading or copying. 342 | 343 | 7. Additional Terms. 344 | 345 | "Additional permissions" are terms that supplement the terms of this 346 | License by making exceptions from one or more of its conditions. 347 | Additional permissions that are applicable to the entire Program shall 348 | be treated as though they were included in this License, to the extent 349 | that they are valid under applicable law. If additional permissions 350 | apply only to part of the Program, that part may be used separately 351 | under those permissions, but the entire Program remains governed by 352 | this License without regard to the additional permissions. 353 | 354 | When you convey a copy of a covered work, you may at your option 355 | remove any additional permissions from that copy, or from any part of 356 | it. (Additional permissions may be written to require their own 357 | removal in certain cases when you modify the work.) You may place 358 | additional permissions on material, added by you to a covered work, 359 | for which you have or can give appropriate copyright permission. 360 | 361 | Notwithstanding any other provision of this License, for material you 362 | add to a covered work, you may (if authorized by the copyright holders of 363 | that material) supplement the terms of this License with terms: 364 | 365 | a) Disclaiming warranty or limiting liability differently from the 366 | terms of sections 15 and 16 of this License; or 367 | 368 | b) Requiring preservation of specified reasonable legal notices or 369 | author attributions in that material or in the Appropriate Legal 370 | Notices displayed by works containing it; or 371 | 372 | c) Prohibiting misrepresentation of the origin of that material, or 373 | requiring that modified versions of such material be marked in 374 | reasonable ways as different from the original version; or 375 | 376 | d) Limiting the use for publicity purposes of names of licensors or 377 | authors of the material; or 378 | 379 | e) Declining to grant rights under trademark law for use of some 380 | trade names, trademarks, or service marks; or 381 | 382 | f) Requiring indemnification of licensors and authors of that 383 | material by anyone who conveys the material (or modified versions of 384 | it) with contractual assumptions of liability to the recipient, for 385 | any liability that these contractual assumptions directly impose on 386 | those licensors and authors. 387 | 388 | All other non-permissive additional terms are considered "further 389 | restrictions" within the meaning of section 10. If the Program as you 390 | received it, or any part of it, contains a notice stating that it is 391 | governed by this License along with a term that is a further 392 | restriction, you may remove that term. If a license document contains 393 | a further restriction but permits relicensing or conveying under this 394 | License, you may add to a covered work material governed by the terms 395 | of that license document, provided that the further restriction does 396 | not survive such relicensing or conveying. 397 | 398 | If you add terms to a covered work in accord with this section, you 399 | must place, in the relevant source files, a statement of the 400 | additional terms that apply to those files, or a notice indicating 401 | where to find the applicable terms. 402 | 403 | Additional terms, permissive or non-permissive, may be stated in the 404 | form of a separately written license, or stated as exceptions; 405 | the above requirements apply either way. 406 | 407 | 8. Termination. 408 | 409 | You may not propagate or modify a covered work except as expressly 410 | provided under this License. Any attempt otherwise to propagate or 411 | modify it is void, and will automatically terminate your rights under 412 | this License (including any patent licenses granted under the third 413 | paragraph of section 11). 414 | 415 | However, if you cease all violation of this License, then your 416 | license from a particular copyright holder is reinstated (a) 417 | provisionally, unless and until the copyright holder explicitly and 418 | finally terminates your license, and (b) permanently, if the copyright 419 | holder fails to notify you of the violation by some reasonable means 420 | prior to 60 days after the cessation. 421 | 422 | Moreover, your license from a particular copyright holder is 423 | reinstated permanently if the copyright holder notifies you of the 424 | violation by some reasonable means, this is the first time you have 425 | received notice of violation of this License (for any work) from that 426 | copyright holder, and you cure the violation prior to 30 days after 427 | your receipt of the notice. 428 | 429 | Termination of your rights under this section does not terminate the 430 | licenses of parties who have received copies or rights from you under 431 | this License. If your rights have been terminated and not permanently 432 | reinstated, you do not qualify to receive new licenses for the same 433 | material under section 10. 434 | 435 | 9. Acceptance Not Required for Having Copies. 436 | 437 | You are not required to accept this License in order to receive or 438 | run a copy of the Program. Ancillary propagation of a covered work 439 | occurring solely as a consequence of using peer-to-peer transmission 440 | to receive a copy likewise does not require acceptance. However, 441 | nothing other than this License grants you permission to propagate or 442 | modify any covered work. These actions infringe copyright if you do 443 | not accept this License. Therefore, by modifying or propagating a 444 | covered work, you indicate your acceptance of this License to do so. 445 | 446 | 10. Automatic Licensing of Downstream Recipients. 447 | 448 | Each time you convey a covered work, the recipient automatically 449 | receives a license from the original licensors, to run, modify and 450 | propagate that work, subject to this License. You are not responsible 451 | for enforcing compliance by third parties with this License. 452 | 453 | An "entity transaction" is a transaction transferring control of an 454 | organization, or substantially all assets of one, or subdividing an 455 | organization, or merging organizations. If propagation of a covered 456 | work results from an entity transaction, each party to that 457 | transaction who receives a copy of the work also receives whatever 458 | licenses to the work the party's predecessor in interest had or could 459 | give under the previous paragraph, plus a right to possession of the 460 | Corresponding Source of the work from the predecessor in interest, if 461 | the predecessor has it or can get it with reasonable efforts. 462 | 463 | You may not impose any further restrictions on the exercise of the 464 | rights granted or affirmed under this License. For example, you may 465 | not impose a license fee, royalty, or other charge for exercise of 466 | rights granted under this License, and you may not initiate litigation 467 | (including a cross-claim or counterclaim in a lawsuit) alleging that 468 | any patent claim is infringed by making, using, selling, offering for 469 | sale, or importing the Program or any portion of it. 470 | 471 | 11. Patents. 472 | 473 | A "contributor" is a copyright holder who authorizes use under this 474 | License of the Program or a work on which the Program is based. The 475 | work thus licensed is called the contributor's "contributor version". 476 | 477 | A contributor's "essential patent claims" are all patent claims 478 | owned or controlled by the contributor, whether already acquired or 479 | hereafter acquired, that would be infringed by some manner, permitted 480 | by this License, of making, using, or selling its contributor version, 481 | but do not include claims that would be infringed only as a 482 | consequence of further modification of the contributor version. For 483 | purposes of this definition, "control" includes the right to grant 484 | patent sublicenses in a manner consistent with the requirements of 485 | this License. 486 | 487 | Each contributor grants you a non-exclusive, worldwide, royalty-free 488 | patent license under the contributor's essential patent claims, to 489 | make, use, sell, offer for sale, import and otherwise run, modify and 490 | propagate the contents of its contributor version. 491 | 492 | In the following three paragraphs, a "patent license" is any express 493 | agreement or commitment, however denominated, not to enforce a patent 494 | (such as an express permission to practice a patent or covenant not to 495 | sue for patent infringement). To "grant" such a patent license to a 496 | party means to make such an agreement or commitment not to enforce a 497 | patent against the party. 498 | 499 | If you convey a covered work, knowingly relying on a patent license, 500 | and the Corresponding Source of the work is not available for anyone 501 | to copy, free of charge and under the terms of this License, through a 502 | publicly available network server or other readily accessible means, 503 | then you must either (1) cause the Corresponding Source to be so 504 | available, or (2) arrange to deprive yourself of the benefit of the 505 | patent license for this particular work, or (3) arrange, in a manner 506 | consistent with the requirements of this License, to extend the patent 507 | license to downstream recipients. "Knowingly relying" means you have 508 | actual knowledge that, but for the patent license, your conveying the 509 | covered work in a country, or your recipient's use of the covered work 510 | in a country, would infringe one or more identifiable patents in that 511 | country that you have reason to believe are valid. 512 | 513 | If, pursuant to or in connection with a single transaction or 514 | arrangement, you convey, or propagate by procuring conveyance of, a 515 | covered work, and grant a patent license to some of the parties 516 | receiving the covered work authorizing them to use, propagate, modify 517 | or convey a specific copy of the covered work, then the patent license 518 | you grant is automatically extended to all recipients of the covered 519 | work and works based on it. 520 | 521 | A patent license is "discriminatory" if it does not include within 522 | the scope of its coverage, prohibits the exercise of, or is 523 | conditioned on the non-exercise of one or more of the rights that are 524 | specifically granted under this License. You may not convey a covered 525 | work if you are a party to an arrangement with a third party that is 526 | in the business of distributing software, under which you make payment 527 | to the third party based on the extent of your activity of conveying 528 | the work, and under which the third party grants, to any of the 529 | parties who would receive the covered work from you, a discriminatory 530 | patent license (a) in connection with copies of the covered work 531 | conveyed by you (or copies made from those copies), or (b) primarily 532 | for and in connection with specific products or compilations that 533 | contain the covered work, unless you entered into that arrangement, 534 | or that patent license was granted, prior to 28 March 2007. 535 | 536 | Nothing in this License shall be construed as excluding or limiting 537 | any implied license or other defenses to infringement that may 538 | otherwise be available to you under applicable patent law. 539 | 540 | 12. No Surrender of Others' Freedom. 541 | 542 | If conditions are imposed on you (whether by court order, agreement or 543 | otherwise) that contradict the conditions of this License, they do not 544 | excuse you from the conditions of this License. If you cannot convey a 545 | covered work so as to satisfy simultaneously your obligations under this 546 | License and any other pertinent obligations, then as a consequence you may 547 | not convey it at all. For example, if you agree to terms that obligate you 548 | to collect a royalty for further conveying from those to whom you convey 549 | the Program, the only way you could satisfy both those terms and this 550 | License would be to refrain entirely from conveying the Program. 551 | 552 | 13. Use with the GNU Affero General Public License. 553 | 554 | Notwithstanding any other provision of this License, you have 555 | permission to link or combine any covered work with a work licensed 556 | under version 3 of the GNU Affero General Public License into a single 557 | combined work, and to convey the resulting work. The terms of this 558 | License will continue to apply to the part which is the covered work, 559 | but the special requirements of the GNU Affero General Public License, 560 | section 13, concerning interaction through a network will apply to the 561 | combination as such. 562 | 563 | 14. Revised Versions of this License. 564 | 565 | The Free Software Foundation may publish revised and/or new versions of 566 | the GNU General Public License from time to time. Such new versions will 567 | be similar in spirit to the present version, but may differ in detail to 568 | address new problems or concerns. 569 | 570 | Each version is given a distinguishing version number. If the 571 | Program specifies that a certain numbered version of the GNU General 572 | Public License "or any later version" applies to it, you have the 573 | option of following the terms and conditions either of that numbered 574 | version or of any later version published by the Free Software 575 | Foundation. If the Program does not specify a version number of the 576 | GNU General Public License, you may choose any version ever published 577 | by the Free Software Foundation. 578 | 579 | If the Program specifies that a proxy can decide which future 580 | versions of the GNU General Public License can be used, that proxy's 581 | public statement of acceptance of a version permanently authorizes you 582 | to choose that version for the Program. 583 | 584 | Later license versions may give you additional or different 585 | permissions. However, no additional obligations are imposed on any 586 | author or copyright holder as a result of your choosing to follow a 587 | later version. 588 | 589 | 15. Disclaimer of Warranty. 590 | 591 | THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY 592 | APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT 593 | HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY 594 | OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, 595 | THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR 596 | PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM 597 | IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF 598 | ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 599 | 600 | 16. Limitation of Liability. 601 | 602 | IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING 603 | WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS 604 | THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY 605 | GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE 606 | USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF 607 | DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD 608 | PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), 609 | EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF 610 | SUCH DAMAGES. 611 | 612 | 17. Interpretation of Sections 15 and 16. 613 | 614 | If the disclaimer of warranty and limitation of liability provided 615 | above cannot be given local legal effect according to their terms, 616 | reviewing courts shall apply local law that most closely approximates 617 | an absolute waiver of all civil liability in connection with the 618 | Program, unless a warranty or assumption of liability accompanies a 619 | copy of the Program in return for a fee. 620 | 621 | END OF TERMS AND CONDITIONS 622 | 623 | How to Apply These Terms to Your New Programs 624 | 625 | If you develop a new program, and you want it to be of the greatest 626 | possible use to the public, the best way to achieve this is to make it 627 | free software which everyone can redistribute and change under these terms. 628 | 629 | To do so, attach the following notices to the program. It is safest 630 | to attach them to the start of each source file to most effectively 631 | state the exclusion of warranty; and each file should have at least 632 | the "copyright" line and a pointer to where the full notice is found. 633 | 634 | 635 | Copyright (C) 636 | 637 | This program is free software: you can redistribute it and/or modify 638 | it under the terms of the GNU General Public License as published by 639 | the Free Software Foundation, either version 3 of the License, or 640 | (at your option) any later version. 641 | 642 | This program is distributed in the hope that it will be useful, 643 | but WITHOUT ANY WARRANTY; without even the implied warranty of 644 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the 645 | GNU General Public License for more details. 646 | 647 | You should have received a copy of the GNU General Public License 648 | along with this program. If not, see . 649 | 650 | Also add information on how to contact you by electronic and paper mail. 651 | 652 | If the program does terminal interaction, make it output a short 653 | notice like this when it starts in an interactive mode: 654 | 655 | Copyright (C) 656 | This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. 657 | This is free software, and you are welcome to redistribute it 658 | under certain conditions; type `show c' for details. 659 | 660 | The hypothetical commands `show w' and `show c' should show the appropriate 661 | parts of the General Public License. Of course, your program's commands 662 | might be different; for a GUI interface, you would use an "about box". 663 | 664 | You should also get your employer (if you work as a programmer) or school, 665 | if any, to sign a "copyright disclaimer" for the program, if necessary. 666 | For more information on this, and how to apply and follow the GNU GPL, see 667 | . 668 | 669 | The GNU General Public License does not permit incorporating your program 670 | into proprietary programs. If your program is a subroutine library, you 671 | may consider it more useful to permit linking proprietary applications with 672 | the library. If this is what you want to do, use the GNU Lesser General 673 | Public License instead of this License. But first, please read 674 | . 675 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | 任务:用神经网络方法实现中-->英 翻译系统。 2 | 1. 模型要求: 3 | (1)RNN + Attention 模型 4 | (2)Transformer模型 5 | 任选其中一种模型。 6 | 2. 数据及平台: 7 | 8 | (1)数据集: 9 | /data,6834个中英平行语对 10 | /cn.txt和/en.txt的每一行一一对应 11 | (2)模型实现可用平台Tensorflow 或 Pytorch 12 | 13 | 3. 注意: 14 | 本分支是带有注意力机制的,而且对util.py里面的数据预处理部分做了流量领域的相关适配。 15 | 如果需要把模型重新用于机器翻译领域,请修改util.py里面的相关函数。 16 | 17 | 18 | -------------------------------------------------------------------------------- /checkpoints/checkpoint: -------------------------------------------------------------------------------- 1 | model_checkpoint_path: "dev" 2 | all_model_checkpoint_paths: "dev" 3 | -------------------------------------------------------------------------------- /checkpoints/dev.data-00000-of-00001: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/jmhIcoding/machine_translation/45264d0aa90980ebca5a134a802f025908a6c04d/checkpoints/dev.data-00000-of-00001 -------------------------------------------------------------------------------- /checkpoints/dev.index: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/jmhIcoding/machine_translation/45264d0aa90980ebca5a134a802f025908a6c04d/checkpoints/dev.index -------------------------------------------------------------------------------- /checkpoints/dev.meta: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/jmhIcoding/machine_translation/45264d0aa90980ebca5a134a802f025908a6c04d/checkpoints/dev.meta -------------------------------------------------------------------------------- /data/cn.test.txt: -------------------------------------------------------------------------------- 1 | 新华社 北京 3 月 1 日 电 59 岁 的 原 黑龙江省 省长 田凤山 今天 被 任命 为 国土 资源部 部长 。 2 | 出生 于 黑龙江省 肇源县 的 田凤山 1961 年 7 月 参加 工作 , 1970 年 3 月 加入 中国 共产党 。 3 | 这 应该 是 经济 发展 的 自然 扩散 过程 , 和 60 年代 “ 三线 建设 ” 工厂 搬家 是 不同 的 。 4 | 但是 我们 也 要 看到 , 从 转变 资源 配置 方式 的 角度 看 , 改革 的 大关 并 没有 过 。 5 | 最近 , 对于 加入 wto , 一 种 反应 是 盲目乐观 , 认为 无论 怎么 做 中国 都 会 得利 。 6 | 既然 这些 客观 条件 并 不见得 好 的 地方 能够 做到 , 别的 条件 更 好 的 地区 当然 更 可以 做到 。 7 | 全球化 的 客观 趋势 呼唤 全球 范围 的 国际 合作 , 而 全球 合作 已经 远远 超出 了 经济 范围 。 8 | 但 也 要 看到 , 坚定 理想 信念 仍然 是 思想 政治 建设 一 项 十分 现实 而 紧迫 的 任务 。 9 | 尽管 发达 国家 军队 武器 装备 已经 逐步 信息化 , 但 其 军事 理论 、 军队 结构 还 没 发生 质变 。 10 | 我军 应 借鉴 别人 的 经验 , 用 一 种 新 的 机制 促进 各 级 领导 率先 完成 跨越 。 11 | 我军 应 善于 借助 计算机 网络 技术 和 先进 的 模拟 、 仿真 手段 , 在 逼真 的 “ 预实践 ” 中 完成 跨越 12 | 实现 军事 训练 的 跨越 , 最 根本 的 就 是 应 采用 以 信息化 训练 为主 的 现代 训练 方法 与 手段 。 13 | 但 台湾 领导人 在 讲话 中 却 采取 了 回避 和 模糊 的 态度 , 这 是 明显 的 倒退 。 14 | 蒋氏 父子 主政 台湾 几十 年 间 , 始终 声称 “ 中国 只有 一 个 , 中国 必 将 统一 ” 。 15 | 在 谈到 边境 问题 时 , 章启月 说 , 中 印 边境 问题 是 历史 遗留 下来 的 复杂 问题 。 16 | 他 表示 相信 , 米尔扎 的 访问 将 进一步 促进 两 军 尤其是 两 国 海军 之间 的 友好 合作 。 17 | 中国 希望 有关 方面 , 在 重新 考虑 该 条约 时 , 能够 慎重 考虑 条约 对 整个 世界 裁军 进程 的 影响 。 18 | 萨塔尔 是 今天 下午 在 他 下榻 的 钓鱼台 国宾馆 接受 本 社 记者 采访 时 作 上述 表示 的 。 19 | 江 主席 还 参观 了 工厂 、 农庄 和 文化 设施 , 会见 了 旅居 海外 的 华侨 、 华人 代表 。 20 | 当局 的 这 位 人士 振振有辞 地 说 , 岛 内 失业率 不断 攀升 , 与 企业 纷赴 大陆 投资 有 若干 关联 。 21 | 为 配合 这 一 教育 , 由 本 报 主办 的 《 永远 不 变 的 军魂 》 专栏 今天 与 读者 见面 。 22 | 另外 , 美国 想要 回 他们 的 间谍 飞机 也 不 会 是 问题 , 但 可能 需要 一些 时间 。 23 | 其中 , 廿四日 将 上场 的 美台 军售 会议 , 就 是 美国 一 张 立即 可 打 的 牌 。 24 | 他们 把 教育 成果 延伸 到 训练场 , 举办 了 “ 英雄 王伟 告诉 我们 什么 ? ” 的 演讲会 。 25 | 从 1619 年 第一 批 非洲 黑人 被 运到 新 大陆 开始 , 黑人 便 备受 歧视 , 惨 遭 奴役 。 26 | 如果 这 种 以 他国 为敌 的 冷战 思维 不 改变 , 酞平洋 不 会 酞平 , 整个 世界 也 不 会 安宁 。 27 | 其三 , 发展 和 完善 金融 市场 , 提高 中国 金融 企业 资金 经营 水平 和 社会 资金 使用 效益 。 28 | 参照 国际 上 金融 业务 综合 经营 趋势 , 逐步 完善 中国 金融业 分业 经营 、 分业 监管 的 体制 。 29 | 他 说 , 越共 “ 九 大 ” 的 各 项 准备 工作 已经 就绪 , 相信 大会 一定 会 取得 圆满 成功 。 30 | 要 围绕 增强 城市 整体 功能 和 竞争力 , 把 上海 建设 成为 国际 经济 、 金融 、 贸易 和 航运 中心 之一 。 31 | 不 按 “ 游戏 规则 ” 办事 , 经济 秩序 就 会 大 乱 , 现代化 就 不 可能 实现 。 -------------------------------------------------------------------------------- /data/cn.txt.ebd.npy: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/jmhIcoding/machine_translation/45264d0aa90980ebca5a134a802f025908a6c04d/data/cn.txt.ebd.npy -------------------------------------------------------------------------------- /data/en.test.txt: -------------------------------------------------------------------------------- 1 | beijing , 1 mar ( xinhua ) -- tian fengshan , former heilongjiang governor who is 59 years old , was appointed minister of land and resources today . 2 | tian fengshan , who was born in zhaoyuan county , heilongjiang province , took part in work since july 1961 and joined the cpc in march 1970 . 3 | this should be a natural process set off by economic development ; the " third tier construction " of the 1960s involving factory relocation was something entirely different . 4 | we must also realize however that from the angle of changing the pattern of resource allocation , we have not yet made the big breakthrough in reform . 5 | with regard to joining the world trade organization , one recent reaction has been blind optimism and the belief that china will profit whatever it does . 6 | since these areas where objective conditions are not particularly good can achieve this , other areas where conditions are better can naturally do the same . 7 | the objective trend of globalization is calling for international cooperation on a global scale , and a global cooperation has far exceeded the scope of the economy . 8 | it should be noted , however , that strengthening our ideals and convictions remains a very practical and urgent task in ideological and political construction . 9 | even if the military weaponry and equipment of developed countries have already gradually moved toward informationization , military theory and military structure have not shown any qualitative change . 10 | china 's military should refer to the experience of others and use new mechanisms to promote the priority completion of the informationization leap by leaders at all levels . 11 | china 's military should become adept at using computer networks and advanced simulation and scenario methods to complete the informationization leap at the " pre-reality line . " 12 | to realize a leap in military training , the most fundamental issue is that contemporary training methods should mainly employ measures that use informationization training . 13 | yet , the taiwan leader took an evasive and vague position [ on the one-china principle ] in his speech ; this was an obvious retrogression . 14 | when chiang kai-shek and his son ruled taiwan for several decades , they always claimed that " there is only one china and china must unified . " 15 | on the border issue , zhang qiyue said : the issue on borders between china and india is a complicated one left over from history . 16 | he said he believed mirza 's visit would continue to enhance the friendship and cooperation between the armed forces , especially the navies , of the two countries . 17 | china hopes that when reconsidering the treaty , relevant sides will be prudent and consider the impact of the treaty on the disarmament process of the whole world . 18 | foreign minister abdus sattar made the above remarks when xinhua reporters interviewed him this afternoon at the diaoyutai state guest house where he is staying . 19 | president jiang has also paid visits to factories , farms , or cultural facilities and has met with representatives of overseas chinese and foreign nationals of chinese descent . 20 | this personage of the taiwan authorities said plausibly that the unceasing rising unemployment rate on the island is related to enterprises ' successive investments in mainland china . 21 | starting today , our daily will dedicate a section , entitled , " the military spirit that never changes , " to assisting the advancement of this campaign . 22 | in addition , there will not be a problem for the united states to take back their spy plane . but it might take time . 23 | among them , the us-taiwan meeting on arms sales , to be held on 24 april , is a card which the united states can play immediately . 24 | they extended the results of the education to the training field and held a speech session entitled " what did hero wang wei tell us ? " 25 | since the first blacks from africa were shipped to the new world in 1619 , they were subject to discrimination and tragically forced into slavery . 26 | unless this cold war mentality of regarding other countries as enemies changes , there will be no peace in the pacific and no tranquillity in the world . 27 | third , we will develop and improve financial markets , and enhance the level of capital management and social capital efficiency of chinese financial enterprises . 28 | following the trend of comprehensive management of international financial business , we must gradually improve the operation and management systems for separate sectors by the chinese financial industry . 29 | he said : various preparations for the upcoming congress have been under way and he is convinced that the congress will be a successful one . 30 | it should focus its efforts on expanding overall urban functions and competitiveness and build itself into one of the international economic , financial , trade and shipping centers . 31 | if things are not handled according to the " rules of the game , " the economic order will be chaotic and modernization cannot be realized . -------------------------------------------------------------------------------- /data/en.txt.ebd.npy: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/jmhIcoding/machine_translation/45264d0aa90980ebca5a134a802f025908a6c04d/data/en.txt.ebd.npy -------------------------------------------------------------------------------- /data/voc.txt: -------------------------------------------------------------------------------- 1 | the 13682 2 | . 7316 3 | , 7289 4 | and 6851 5 | of 6262 6 | to 4296 7 | in 3770 8 | " 2791 9 | a 2524 10 | is 1958 11 | that 1772 12 | 's 1422 13 | on 1394 14 | china 1376 15 | for 1350 16 | has 1010 17 | with 971 18 | this 941 19 | have 905 20 | will 897 21 | by 845 22 | as 827 23 | be 824 24 | are 762 25 | it 749 26 | people 706 27 | he 675 28 | at 674 29 | taiwan 672 30 | development 665 31 | we 633 32 | not 618 33 | an 617 34 | : 587 35 | said 585 36 | chinese 557 37 | countries 542 38 | two 539 39 | also 525 40 | us 518 41 | from 516 42 | new 515 43 | should 503 44 | all 500 45 | was 495 46 | its 490 47 | their 488 48 | economic 473 49 | relations 445 50 | united 425 51 | states 410 52 | party 401 53 | our 392 54 | between 365 55 | out 362 56 | one 347 57 | government 346 58 | his 345 59 | they 337 60 | must 329 61 | can 320 62 | military 311 63 | been 309 64 | work 309 65 | more 308 66 | cooperation 304 67 | important 295 68 | national 291 69 | up 291 70 | which 289 71 | world 280 72 | only 268 73 | or 265 74 | other 264 75 | some 262 76 | but 261 77 | year 259 78 | ' 258 79 | state 256 80 | country 255 81 | years 250 82 | international 247 83 | there 245 84 | jiang 245 85 | made 237 86 | system 234 87 | foreign 230 88 | three 225 89 | time 219 90 | political 218 91 | were 216 92 | president 212 93 | meeting 204 94 | great 203 95 | after 202 96 | visit 201 97 | first 200 98 | over 195 99 | issue 192 100 | security 190 101 | policy 190 102 | li 188 103 | had 187 104 | about 185 105 | no 184 106 | zemin 184 107 | make 184 108 | situation 181 109 | however 180 110 | social 179 111 | trade 179 112 | these 178 113 | economy 173 114 | since 173 115 | century 171 116 | i 171 117 | committee 168 118 | both 167 119 | if 166 120 | law 165 121 | into 164 122 | sides 164 123 | many 164 124 | rights 164 125 | enterprises 162 126 | under 161 127 | various 161 128 | central 161 129 | japan 160 130 | developing 159 131 | would 157 132 | when 155 133 | during 154 134 | who 154 135 | further 154 136 | still 153 137 | efforts 153 138 | war 152 139 | defense 149 140 | principle 149 141 | than 148 142 | support 148 143 | such 148 144 | forces 147 145 | market 144 146 | reform 144 147 | human 143 148 | held 143 149 | through 142 150 | beijing 142 151 | pointed 141 152 | peace 140 153 | region 139 154 | so 135 155 | leaders 133 156 | ) 131 157 | -@@ 131 158 | good 131 159 | become 130 160 | zhu 130 161 | very 130 162 | according 128 163 | major 128 164 | long 127 165 | them 126 166 | reunification 126 167 | education 126 168 | well 125 169 | plan 124 170 | even 124 171 | interests 123 172 | ( 123 173 | now 123 174 | issues 123 175 | members 121 176 | against 121 177 | last 120 178 | hong 119 179 | russia 119 180 | ? 118 181 | today 118 182 | building 117 183 | use 116 184 | kong 116 185 | bush 115 186 | being 114 187 | most 113 188 | ; 112 189 | side 112 190 | cadres 112 191 | force 111 192 | independence 110 193 | do 110 194 | what 109 195 | always 108 196 | stability 108 197 | financial 107 198 | may 107 199 | future 107 200 | order 106 201 | cross-strait 106 202 | current 106 203 | authorities 106 204 | past 105 205 | history 105 206 | while 105 207 | -- 105 208 | areas 105 209 | friendly 105 210 | western 104 211 | expressed 104 212 | continue 104 213 | ] 104 214 | [ 104 215 | mainland 103 216 | falungong 103 217 | public 103 218 | any 102 219 | strategic 102 220 | percent 101 221 | importance 100 222 | information 100 223 | because 99 224 | level 98 225 | cpc 98 226 | same 98 227 | common 98 228 | role 98 229 | activities 98 230 | affairs 97 231 | problems 97 232 | talks 97 233 | conditions 97 234 | develop 97 235 | present 96 236 | ed 96 237 | way 95 238 | own 95 239 | technology 95 240 | bilateral 93 241 | friendship 92 242 | strengthen 92 243 | joint 92 244 | ing 90 245 | in@@ 90 246 | how 90 247 | exchanges 89 248 | necessary 89 249 | chairman 89 250 | air 87 251 | represents 87 252 | promote 86 253 | wto 86 254 | departments 86 255 | measures 86 256 | making 85 257 | fundamental 85 258 | means 85 259 | socialist 85 260 | speech 84 261 | basic 84 262 | period 84 263 | systems 84 264 | progress 83 265 | motherland 83 266 | management 83 267 | rongji 83 268 | practice 83 269 | growth 83 270 | minister 82 271 | power 82 272 | toward 82 273 | take 81 274 | part 81 275 | promoting 81 276 | quality 80 277 | just 80 278 | wang 80 279 | forward 80 280 | scientific 79 281 | fully 79 282 | peaceful 78 283 | large 78 284 | understanding 77 285 | ties 77 286 | nation 77 287 | recent 77 288 | dprk 77 289 | army 76 290 | able 76 291 | relevant 76 292 | missile 76 293 | strong 76 294 | end 76 295 | modernization 75 296 | cannot 75 297 | general 75 298 | chen 75 299 | could 75 300 | investment 75 301 | those 74 302 | stressed 74 303 | times 74 304 | society 74 305 | re@@ 74 306 | environment 74 307 | levels 74 308 | ated 74 309 | put 74 310 | d@@ 73 311 | peng 73 312 | k@@ 73 313 | each 73 314 | control 73 315 | number 73 316 | basis 73 317 | you 73 318 | question 73 319 | high 73 320 | attention 73 321 | council 72 322 | tibet 72 323 | improve 71 324 | developed 71 325 | supervision 71 326 | opening 71 327 | among 71 328 | down 71 329 | policies 71 330 | yuan 71 331 | mutual 71 332 | construction 70 333 | views 70 334 | es 70 335 | regional 69 336 | sino-us 69 337 | dis@@ 69 338 | billion 69 339 | article 69 340 | secretary 69 341 | whether 69 342 | set 69 343 | historical 68 344 | b@@ 68 345 | second 68 346 | increase 68 347 | personnel 68 348 | p@@ 68 349 | come 67 350 | administration 67 351 | training 67 352 | certain 67 353 | leadership 67 354 | another 67 355 | de@@ 67 356 | including 66 357 | him 66 358 | process 66 359 | japanese 66 360 | office 66 361 | following 66 362 | science 66 363 | day 65 364 | one-china 65 365 | un@@ 65 366 | weapons 65 367 | key 64 368 | change 64 369 | leading 64 370 | special 64 371 | npc 64 372 | legal 63 373 | ideological 63 374 | un 63 375 | exchange 63 376 | resources 63 377 | study 63 378 | different 62 379 | again 62 380 | premier 62 381 | therefore 62 382 | cause 62 383 | results 62 384 | arms 62 385 | before 62 386 | report 61 387 | industry 61 388 | m@@ 61 389 | concerned 61 390 | ate 61 391 | c@@ 60 392 | serious 60 393 | although 60 394 | water 60 395 | without 60 396 | t 60 397 | five-year 60 398 | fields 60 399 | ted 59 400 | five 59 401 | does 59 402 | carry 59 403 | positive 59 404 | theory 59 405 | hope 59 406 | see 59 407 | conference 59 408 | s 58 409 | cultural 58 410 | news 58 411 | organizations 58 412 | struggle 58 413 | overall 58 414 | nations 58 415 | achievements 58 416 | along 57 417 | position 57 418 | course 57 419 | strategy 57 420 | changes 57 421 | h@@ 56 422 | action 56 423 | spirit 56 424 | leader 56 425 | hold 56 426 | technological 56 427 | diplomatic 56 428 | ating 56 429 | lee 56 430 | e@@ 55 431 | sovereignty 55 432 | 1 55 433 | india 55 434 | strait 55 435 | did 55 436 | matter 55 437 | south 55 438 | play 55 439 | already 55 440 | city 55 441 | established 55 442 | asia 54 443 | problem 54 444 | er 54 445 | ago 54 446 | point 54 447 | units 54 448 | rural 54 449 | s@@ 53 450 | thinking 53 451 | advanced 53 452 | space 53 453 | main 53 454 | media 53 455 | effective 53 456 | strengthening 53 457 | line 53 458 | fact 52 459 | whole 52 460 | maintain 52 461 | standing 52 462 | never 52 463 | direct 52 464 | clinton 52 465 | help 52 466 | hu 52 467 | member 52 468 | incident 52 469 | ation 52 470 | vice 52 471 | official 51 472 | o@@ 51 473 | y 51 474 | officials 51 475 | right 51 476 | masses 51 477 | ers 51 478 | full 51 479 | shanghai 51 480 | research 51 481 | task 51 482 | life 51 483 | 20 51 484 | hard 51 485 | domestic 50 486 | believe 50 487 | i@@ 50 488 | reached 50 489 | things 50 490 | organization 50 491 | 10 50 492 | need 50 493 | open 50 494 | armed 50 495 | like 49 496 | stand 49 497 | difficult 49 498 | foundation 49 499 | operations 49 500 | nmd 49 501 | summit 49 502 | zhang 48 503 | her 48 504 | adopted 48 505 | understand 48 506 | third 48 507 | election 48 508 | group 48 509 | delegation 48 510 | democratic 48 511 | agreement 48 512 | visited 47 513 | reporter 47 514 | carried 47 515 | shui-bian 47 516 | ting 47 517 | structure 47 518 | big 47 519 | every 47 520 | shall 47 521 | implement 47 522 | circles 47 523 | exercise 46 524 | land 46 525 | strength 46 526 | cooperative 46 527 | total 46 528 | russian 46 529 | agricultural 46 530 | impact 46 531 | reason 46 532 | your 46 533 | 1999 46 534 | stage 45 535 | result 45 536 | en@@ 45 537 | l@@ 45 538 | far 45 539 | session 45 540 | local 45 541 | million 45 542 | implementation 45 543 | f@@ 45 544 | given 45 545 | west 45 546 | give 45 547 | act 45 548 | g@@ 45 549 | regulations 45 550 | wei 44 551 | decision 44 552 | e 44 553 | trend 44 554 | establishment 44 555 | dialogue 44 556 | laws 44 557 | working 44 558 | treaty 44 559 | requirements 44 560 | asian 44 561 | early 44 562 | department 44 563 | equipment 44 564 | build 44 565 | themselves 44 566 | peoples 44 567 | taking 44 568 | possible 44 569 | asked 43 570 | higher 43 571 | responsibility 43 572 | characteristics 43 573 | better 43 574 | plane 43 575 | ensure 43 576 | congress 43 577 | once 43 578 | achieved 43 579 | facts 43 580 | ts 43 581 | qian 43 582 | significance 43 583 | project 43 584 | here 43 585 | nature 43 586 | tasks 43 587 | thus 42 588 | socialism 42 589 | production 42 590 | willing 42 591 | capital 42 592 | several 42 593 | teng-hui 42 594 | con@@ 42 595 | achieve 42 596 | n@@ 42 597 | responsible 42 598 | organs 42 599 | ministry 42 600 | globalization 42 601 | modern 41 602 | deputy 41 603 | correct 41 604 | especially 41 605 | few 41 606 | east 41 607 | provide 41 608 | korean 41 609 | relationship 41 610 | parties 41 611 | opportunities 41 612 | taken 41 613 | forum 41 614 | nuclear 41 615 | concern 40 616 | regard 40 617 | recently 40 618 | bring 40 619 | july 40 620 | business 40 621 | 4 40 622 | within 40 623 | global 40 624 | face 40 625 | series 40 626 | as@@ 40 627 | 5 40 628 | reports 40 629 | then 40 630 | small 40 631 | competition 40 632 | go 40 633 | met 40 634 | trust 39 635 | where 39 636 | 10th 39 637 | place 39 638 | pay 39 639 | indicated 39 640 | contacts 39 641 | li@@ 39 642 | al@@ 39 643 | rok 39 644 | culture 39 645 | meet 39 646 | $ 39 647 | realize 39 648 | soon 39 649 | half 39 650 | based 39 651 | influence 39 652 | success 39 653 | greater 39 654 | innovation 39 655 | 2 39 656 | o 38 657 | paid 38 658 | demand 38 659 | administrative 38 660 | back 38 661 | state-owned 38 662 | establish 38 663 | carrying 38 664 | knowledge 38 665 | view 38 666 | used 38 667 | governments 38 668 | status 38 669 | she 38 670 | products 38 671 | addition 38 672 | stable 38 673 | el@@ 37 674 | prime 37 675 | facing 37 676 | 3 37 677 | attitude 37 678 | consensus 37 679 | much 37 680 | issued 37 681 | days 37 682 | enterprise 37 683 | groups 37 684 | 50 37 685 | province 37 686 | 2000 37 687 | middle 36 688 | an@@ 36 689 | clearly 36 690 | workers 36 691 | methods 36 692 | create 36 693 | ad@@ 36 694 | constantly 36 695 | democracy 36 696 | enhance 36 697 | comrade 36 698 | hopes 36 699 | related 36 700 | comprehensive 36 701 | regions 36 702 | protection 36 703 | prosperity 36 704 | ch@@ 36 705 | territory 36 706 | took 35 707 | handling 35 708 | company 35 709 | xinhua 35 710 | experience 35 711 | opportunity 35 712 | points 35 713 | ninth 35 714 | cppcc 35 715 | putin 35 716 | entire 35 717 | t@@ 35 718 | cold 35 719 | links 35 720 | noted 35 721 | a@@ 35 722 | industrial 35 723 | june 35 724 | say 35 725 | funds 35 726 | young 35 727 | di@@ 35 728 | long-term 35 729 | unity 35 730 | respect 35 731 | clear 35 732 | p 35 733 | close 35 734 | next 34 735 | improvement 34 736 | commission 34 737 | rapid 34 738 | my 34 739 | contributions 34 740 | extremely 34 741 | qichen 34 742 | upon 34 743 | four 34 744 | combat 34 745 | together 34 746 | ethnic 34 747 | service 34 748 | core 34 749 | move 34 750 | wu 34 751 | center 34 752 | it@@ 34 753 | step 34 754 | mainly 34 755 | fourth 33 756 | so-called 33 757 | learned 33 758 | capability 33 759 | sales 33 760 | continued 33 761 | old 33 762 | successful 33 763 | provided 33 764 | case 33 765 | propaganda 33 766 | compatriots 33 767 | american 33 768 | needs 33 769 | am 33 770 | experts 33 771 | complete 33 772 | maintaining 33 773 | committees 33 774 | goal 33 775 | principles 33 776 | tang 33 777 | off 33 778 | played 33 779 | troops 33 780 | itself 33 781 | above 32 782 | accordance 32 783 | march 32 784 | relatively 32 785 | doing 32 786 | conduct 32 787 | community 32 788 | european 32 789 | left 32 790 | form 32 791 | cases 32 792 | maintained 32 793 | sea 32 794 | 8 32 795 | projects 32 796 | opinion 32 797 | cult 32 798 | factors 32 799 | sense 32 800 | aircraft 32 801 | jintao 32 802 | large-scale 32 803 | marxism 32 804 | missiles 32 805 | officers 32 806 | or@@ 32 807 | words 31 808 | actively 31 809 | religious 31 810 | show 31 811 | jointly 31 812 | provincial 31 813 | plans 31 814 | area 31 815 | grain 31 816 | deal 31 817 | am@@ 31 818 | d 31 819 | reporters 31 820 | 7 31 821 | l 31 822 | overseas 31 823 | improving 31 824 | negotiations 31 825 | turn 31 826 | 21st 31 827 | why 31 828 | generation 31 829 | ding 31 830 | j@@ 31 831 | hand 31 832 | u@@ 31 833 | resolutely 31 834 | going 31 835 | communist 31 836 | be@@ 31 837 | implementing 31 838 | 1@@ 30 839 | en 30 840 | 6 30 841 | led 30 842 | kind 30 843 | actual 30 844 | criminal 30 845 | im@@ 30 846 | expand 30 847 | firmly 30 848 | thought 30 849 | ma@@ 30 850 | amount 30 851 | 4@@ 30 852 | peasants 30 853 | increased 30 854 | ability 30 855 | cities 30 856 | north 30 857 | mechanism 30 858 | 5@@ 30 859 | representatives 30 860 | majority 30 861 | y@@ 30 862 | ations 29 863 | started 29 864 | age 29 865 | korea 29 866 | increasing 29 867 | macao 29 868 | beginning 29 869 | internet 29 870 | brought 29 871 | emphasized 29 872 | due 29 873 | commercial 29 874 | questions 29 875 | rather 29 876 | profound 29 877 | at@@ 29 878 | using 29 879 | network 29 880 | currently 29 881 | ic@@ 29 882 | 100 29 883 | objective 29 884 | al 29 885 | stance 29 886 | inspection 29 887 | real 29 888 | operation 29 889 | iraq 29 890 | localities 28 891 | ahead 28 892 | road 28 893 | expanding 28 894 | hoped 28 895 | ab@@ 28 896 | difficulties 28 897 | outside 28 898 | challenges 28 899 | april 28 900 | effectively 28 901 | october 28 902 | greatly 28 903 | internal 28 904 | called 28 905 | raise 28 906 | peninsula 28 907 | shows 28 908 | tax 28 909 | per@@ 28 910 | traditional 28 911 | wish 27 912 | deng 27 913 | saying 27 914 | integrity 27 915 | start 27 916 | practical 27 917 | highly 27 918 | entry 27 919 | productive 27 920 | field 27 921 | command 27 922 | remarks 27 923 | ds 27 924 | join 27 925 | know 27 926 | interest 27 927 | meanwhile 27 928 | others 27 929 | effort 27 930 | rate 27 931 | deputies 27 932 | stated 27 933 | decided 27 934 | reality 27 935 | ever 27 936 | speed 27 937 | hongzhi 27 938 | seek 27 939 | want 27 940 | ant 27 941 | gradually 27 942 | program 27 943 | export 27 944 | get 26 945 | repeatedly 26 946 | immediately 26 947 | w@@ 26 948 | als 26 949 | r@@ 26 950 | island 26 951 | caused 26 952 | regarding 26 953 | wars 26 954 | person 26 955 | yet 26 956 | companies 26 957 | living 26 958 | healthy 26 959 | having 26 960 | ir@@ 26 961 | created 26 962 | technical 26 963 | continuously 26 964 | benefit 26 965 | staff 26 966 | normal 26 967 | exist 26 968 | opinions 26 969 | threat 26 970 | m 26 971 | safeguard 26 972 | began 26 973 | xinjiang 26 974 | visiting 26 975 | services 26 976 | safeguarding 26 977 | particularly 26 978 | yang 26 979 | laid 26 980 | on@@ 26 981 | 9 26 982 | attack 26 983 | le@@ 26 984 | holding 26 985 | theoretical 26 986 | completely 25 987 | expected 25 988 | prospects 25 989 | morning 25 990 | ap@@ 25 991 | moreover 25 992 | increasingly 25 993 | certainly 25 994 | constitution 25 995 | asia-pacific 25 996 | changed 25 997 | reforms 25 998 | kinds 25 999 | crisis 25 1000 | er@@ 25 1001 | sectors 25 1002 | seriously 25 1003 | preparations 25 1004 | purpose 25 1005 | enemy 25 1006 | tion 25 1007 | ar@@ 25 1008 | fine 25 1009 | energy 25 1010 | ates 25 1011 | terms 25 1012 | attended 25 1013 | ways 25 1014 | went 25 1015 | house 25 1016 | europe 25 1017 | stresses 25 1018 | structural 25 1019 | par@@ 25 1020 | lies 25 1021 | resolve 25 1022 | rapidly 25 1023 | scale 25 1024 | august 25 1025 | actually 25 1026 | em@@ 25 1027 | duty 25 1028 | university 24 1029 | outstanding 24 1030 | is@@ 24 1031 | white 24 1032 | particular 24 1033 | 30 24 1034 | v@@ 24 1035 | lo@@ 24 1036 | forms 24 1037 | 3@@ 24 1038 | came 24 1039 | 7@@ 24 1040 | late 24 1041 | ous 24 1042 | facilities 24 1043 | comprehensively 24 1044 | think 24 1045 | advance 24 1046 | implemented 24 1047 | guarantee 24 1048 | job 24 1049 | closely 24 1050 | planes 24 1051 | elements 24 1052 | becoming 24 1053 | over@@ 24 1054 | politics 24 1055 | style 24 1056 | sino-@@ 24 1057 | powell 24 1058 | inter@@ 24 1059 | february 24 1060 | himself 24 1061 | es@@ 24 1062 | continually 24 1063 | properly 24 1064 | paper 24 1065 | discussion 24 1066 | standards 24 1067 | israel 24 1068 | zhou 24 1069 | let 24 1070 | accession 24 1071 | invitation 24 1072 | quite 24 1073 | bo@@ 24 1074 | added 24 1075 | uphold 24 1076 | c 24 1077 | around 24 1078 | studying 24 1079 | adopt 24 1080 | aspects 24 1081 | xiaoping 24 1082 | conducting 24 1083 | income 23 1084 | eu 23 1085 | b 23 1086 | signed 23 1087 | st@@ 23 1088 | share 23 1089 | too 23 1090 | thanks 23 1091 | concept 23 1092 | serve 23 1093 | rule 23 1094 | historic 23 1095 | 40 23 1096 | deep 23 1097 | press 23 1098 | de 23 1099 | idea 23 1100 | rules 23 1101 | industries 23 1102 | essence 23 1103 | revolution 23 1104 | spiritual 23 1105 | conducted 23 1106 | chief 23 1107 | negative 23 1108 | active 23 1109 | reiterated 23 1110 | nearly 23 1111 | opposition 23 1112 | prc 23 1113 | nato 23 1114 | ly 23 1115 | confrontation 23 1116 | ex@@ 23 1117 | corruption 23 1118 | anti-@@ 23 1119 | agreed 23 1120 | high-tech 23 1121 | strengthened 23 1122 | short 23 1123 | educational 23 1124 | says 23 1125 | vigorously 23 1126 | agriculture 23 1127 | seen 23 1128 | find 23 1129 | resolution 23 1130 | differences 23 1131 | strictly 23 1132 | requirement 23 1133 | looking 23 1134 | grand 23 1135 | look 23 1136 | territorial 23 1137 | ent 23 1138 | really 23 1139 | ! 22 1140 | lu 22 1141 | comrades 22 1142 | proposed 22 1143 | told 22 1144 | later 22 1145 | remain 22 1146 | favorable 22 1147 | h 22 1148 | best 22 1149 | planning 22 1150 | component 22 1151 | jiaxuan 22 1152 | arrived 22 1153 | tremendous 22 1154 | organized 22 1155 | became 22 1156 | strive 22 1157 | thing 22 1158 | la@@ 22 1159 | markets 22 1160 | functions 22 1161 | manner 22 1162 | judicial 22 1163 | drive 22 1164 | anti-china 22 1165 | court 22 1166 | population 22 1167 | sino-japanese 22 1168 | received 22 1169 | red 22 1170 | e-@@ 22 1171 | ti@@ 22 1172 | low 22 1173 | wishes 22 1174 | attaches 22 1175 | yi 22 1176 | gave 22 1177 | police 22 1178 | less 22 1179 | ping 22 1180 | throughout 22 1181 | k 22 1182 | welcome 22 1183 | beneficial 22 1184 | rich 22 1185 | he@@ 22 1186 | momentum 21 1187 | behind 21 1188 | bearing 21 1189 | king 21 1190 | britain 21 1191 | zhao 21 1192 | launched 21 1193 | protect 21 1194 | promoted 21 1195 | natural 21 1196 | concerning 21 1197 | students 21 1198 | gu@@ 21 1199 | lot 21 1200 | sh@@ 21 1201 | civil 21 1202 | accept 21 1203 | 2@@ 21 1204 | entered 21 1205 | done 21 1206 | visits 21 1207 | statement 21 1208 | circumstances 21 1209 | county 21 1210 | afternoon 21 1211 | allowed 21 1212 | across 21 1213 | anniversary 21 1214 | ch 21 1215 | ac@@ 21 1216 | bureau 21 1217 | deeply 21 1218 | published 21 1219 | ro@@ 21 1220 | keep 21 1221 | pressure 21 1222 | border 21 1223 | ang 21 1224 | high-level 21 1225 | assistance 21 1226 | der 21 1227 | evil 21 1228 | family 21 1229 | mankind 21 1230 | initiative 21 1231 | all-round 21 1232 | non-@@ 21 1233 | successfully 20 1234 | eight 20 1235 | previous 20 1236 | institutions 20 1237 | absolutely 20 1238 | cheng 20 1239 | olympic 20 1240 | sun 20 1241 | representative 20 1242 | efficiency 20 1243 | senior 20 1244 | bl@@ 20 1245 | electronic 20 1246 | push 20 1247 | test 20 1248 | pro@@ 20 1249 | front 20 1250 | indeed 20 1251 | for@@ 20 1252 | september 20 1253 | unit 20 1254 | guidance 20 1255 | pe@@ 20 1256 | collective 20 1257 | n 20 1258 | americans 20 1259 | ar 20 1260 | specific 20 1261 | matters 20 1262 | demands 20 1263 | handle 20 1264 | ks 20 1265 | ded 20 1266 | kim 20 1267 | final 20 1268 | class 20 1269 | 2001 20 1270 | readjustment 20 1271 | schools 20 1272 | budget 20 1273 | spokesman 20 1274 | solve 20 1275 | g 20 1276 | protecting 20 1277 | direction 20 1278 | sent 20 1279 | ag@@ 20 1280 | pakistan 20 1281 | 12 20 1282 | moment 20 1283 | guiding 20 1284 | sound 20 1285 | attempt 20 1286 | car@@ 20 1287 | something 20 1288 | existing 20 1289 | scope 20 1290 | failed 20 1291 | co@@ 20 1292 | benefits 19 1293 | xiamen 19 1294 | trip 19 1295 | advantages 19 1296 | reduce 19 1297 | campaign 19 1298 | greatest 19 1299 | price 19 1300 | 1998 19 1301 | dpp 19 1302 | equality 19 1303 | content 19 1304 | ideas 19 1305 | mission 19 1306 | include 19 1307 | draft 19 1308 | opposed 19 1309 | precisely 19 1310 | complicated 19 1311 | technologies 19 1312 | opened 19 1313 | reasons 19 1314 | heavy 19 1315 | abide 19 1316 | --- 19 1317 | property 19 1318 | ministers 19 1319 | ence 19 1320 | distribution 19 1321 | ance 19 1322 | si@@ 19 1323 | warm 19 1324 | telecommunications 19 1325 | founding 19 1326 | civilization 19 1327 | capacity 19 1328 | insurance 19 1329 | seeking 19 1330 | 15 19 1331 | adjustment 19 1332 | authority 19 1333 | confidence 19 1334 | po@@ 19 1335 | though 19 1336 | name 19 1337 | kmt 19 1338 | yesterday 19 1339 | collision 19 1340 | run 19 1341 | passed 19 1342 | former 19 1343 | achieving 19 1344 | approved 19 1345 | longer 19 1346 | environmental 19 1347 | wen 19 1348 | ying 19 1349 | heads 19 1350 | regards 19 1351 | upholding 19 1352 | firm 19 1353 | communists 19 1354 | attending 19 1355 | believed 19 1356 | popular 18 1357 | establishing 18 1358 | actions 18 1359 | 6@@ 18 1360 | believes 18 1361 | private 18 1362 | exercises 18 1363 | me@@ 18 1364 | smuggling 18 1365 | announced 18 1366 | besides 18 1367 | mass 18 1368 | urban 18 1369 | arduous 18 1370 | type 18 1371 | computer 18 1372 | ors 18 1373 | chi 18 1374 | eyes 18 1375 | crucial 18 1376 | pla 18 1377 | 24 18 1378 | banks 18 1379 | broad 18 1380 | director 18 1381 | deepen 18 1382 | agreements 18 1383 | january 18 1384 | room 18 1385 | value 18 1386 | round 18 1387 | money 18 1388 | meetings 18 1389 | 9@@ 18 1390 | care 18 1391 | stock 18 1392 | discuss 18 1393 | stop 18 1394 | mo@@ 18 1395 | mind 18 1396 | theme 18 1397 | au@@ 18 1398 | equal 18 1399 | largest 18 1400 | realizing 18 1401 | ig@@ 18 1402 | out@@ 18 1403 | aggression 18 1404 | hu@@ 18 1405 | supported 18 1406 | 1997 18 1407 | liu 18 1408 | base 18 1409 | oppose 18 1410 | stress 18 1411 | accounting 18 1412 | ong 18 1413 | labor 18 1414 | recognize 18 1415 | finally 18 1416 | directly 18 1417 | cuba 18 1418 | washington 18 1419 | truly 18 1420 | safety 18 1421 | limited 18 1422 | procedures 18 1423 | risks 18 1424 | british 18 1425 | era 18 1426 | tr@@ 18 1427 | potential 17 1428 | su@@ 17 1429 | fall 17 1430 | persons 17 1431 | fight 17 1432 | almost 17 1433 | deepening 17 1434 | abroad 17 1435 | arrangements 17 1436 | basically 17 1437 | principal 17 1438 | school 17 1439 | union 17 1440 | 22 17 1441 | built 17 1442 | nor 17 1443 | rise 17 1444 | partnership 17 1445 | th@@ 17 1446 | enhancing 17 1447 | six 17 1448 | speaking 17 1449 | 23 17 1450 | lack 17 1451 | economies 17 1452 | vitality 17 1453 | self-@@ 17 1454 | unification 17 1455 | holds 17 1456 | poor 17 1457 | wife 17 1458 | letter 17 1459 | personal 17 1460 | express 17 1461 | enter 17 1462 | ter 17 1463 | huge 17 1464 | pre@@ 17 1465 | truth 17 1466 | eastern 17 1467 | method 17 1468 | no@@ 17 1469 | palestine 17 1470 | product 17 1471 | prevent 17 1472 | men 17 1473 | adhere 17 1474 | dealing 17 1475 | sector 17 1476 | mao 17 1477 | attached 17 1478 | rational 17 1479 | taxes 17 1480 | launch 17 1481 | determined 17 1482 | material 17 1483 | declared 17 1484 | republic 17 1485 | lives 17 1486 | intensify 17 1487 | 200 17 1488 | ideology 17 1489 | son 17 1490 | 18 17 1491 | lanqing 17 1492 | enjoy 17 1493 | talk 17 1494 | resolving 17 1495 | challenge 17 1496 | investigation 17 1497 | navy 17 1498 | concrete 17 1499 | application 17 1500 | fighting 16 1501 | occasions 16 1502 | return 16 1503 | wants 16 1504 | attach 16 1505 | improved 16 1506 | please 16 1507 | partner 16 1508 | soldiers 16 1509 | analysis 16 1510 | separatist 16 1511 | comments 16 1512 | iran 16 1513 | statistics 16 1514 | restructuring 16 1515 | ings 16 1516 | gained 16 1517 | allow 16 1518 | ling 16 1519 | fe@@ 16 1520 | freedom 16 1521 | months 16 1522 | abm 16 1523 | african 16 1524 | regarded 16 1525 | bonds 16 1526 | town 16 1527 | cadre 16 1528 | supporting 16 1529 | despite 16 1530 | fiscal 16 1531 | showed 16 1532 | often 16 1533 | fulfill 16 1534 | 29 16 1535 | ri@@ 16 1536 | bid 16 1537 | ji@@ 16 1538 | harm 16 1539 | tions 16 1540 | china-@@ 16 1541 | sincerity 16 1542 | responsibilities 16 1543 | involved 16 1544 | alliance 16 1545 | death 16 1546 | 16 16 1547 | topic 16 1548 | background 16 1549 | example 16 1550 | ensuring 16 1551 | man 16 1552 | presidential 16 1553 | shown 16 1554 | numerous 16 1555 | examination 16 1556 | talent 16 1557 | ical 16 1558 | deeds 16 1559 | reconnaissance 16 1560 | bases 16 1561 | warfare 16 1562 | reported 16 1563 | me 16 1564 | away 16 1565 | division 16 1566 | generally 16 1567 | proven 16 1568 | produced 16 1569 | measure 16 1570 | november 16 1571 | leave 16 1572 | sessions 16 1573 | proposal 16 1574 | attend 16 1575 | customs 15 1576 | board 15 1577 | discipline 15 1578 | conclusion 15 1579 | supreme 15 1580 | consideration 15 1581 | mutually 15 1582 | u 15 1583 | coming 15 1584 | gap 15 1585 | diplomacy 15 1586 | experiences 15 1587 | promotion 15 1588 | participation 15 1589 | ure 15 1590 | pl@@ 15 1591 | engage 15 1592 | stipulations 15 1593 | se 15 1594 | ancient 15 1595 | pacific 15 1596 | constant 15 1597 | discussed 15 1598 | goods 15 1599 | cults 15 1600 | min@@ 15 1601 | int@@ 15 1602 | um 15 1603 | focused 15 1604 | powers 15 1605 | lead 15 1606 | fujian 15 1607 | deployment 15 1608 | vast 15 1609 | atmosphere 15 1610 | apec 15 1611 | participating 15 1612 | ble 15 1613 | st 15 1614 | month 15 1615 | formulated 15 1616 | pursuing 15 1617 | gr@@ 15 1618 | welcomed 15 1619 | spread 15 1620 | failure 15 1621 | permanent 15 1622 | committed 15 1623 | commander 15 1624 | judging 15 1625 | ceremony 15 1626 | ming 15 1627 | home 15 1628 | revealed 15 1629 | ty 15 1630 | provisions 15 1631 | planned 15 1632 | ha@@ 15 1633 | us@@ 15 1634 | def@@ 15 1635 | 0@@ 15 1636 | tian 15 1637 | le 15 1638 | bill 15 1639 | happy 15 1640 | consultations 15 1641 | vietnam 15 1642 | supports 15 1643 | average 15 1644 | delivered 15 1645 | tibetan 15 1646 | warning 15 1647 | nothing 15 1648 | balance 15 1649 | 19@@ 15 1650 | priority 15 1651 | exports 15 1652 | cordial 15 1653 | per 15 1654 | powerful 15 1655 | reach 15 1656 | text 15 1657 | ally 15 1658 | grassroots 15 1659 | television 15 1660 | revised 15 1661 | air@@ 15 1662 | source 15 1663 | feel 15 1664 | ready 15 1665 | parliaments 15 1666 | id@@ 15 1667 | ve 15 1668 | response 15 1669 | degree 15 1670 | consumption 15 1671 | raising 15 1672 | ordinary 15 1673 | engaged 15 1674 | goals 15 1675 | man@@ 15 1676 | faced 15 1677 | chile 15 1678 | suffered 15 1679 | respects 15 1680 | live 15 1681 | du@@ 15 1682 | linked 15 1683 | ism 15 1684 | smoothly 15 1685 | nevertheless 15 1686 | disarmament 15 1687 | strongly 15 1688 | signing 15 1689 | cl@@ 15 1690 | table 14 1691 | enforcement 14 1692 | generations 14 1693 | urgent 14 1694 | light 14 1695 | correctly 14 1696 | ol@@ 14 1697 | avoid 14 1698 | choice 14 1699 | moving 14 1700 | contradictions 14 1701 | ited 14 1702 | excellent 14 1703 | occurred 14 1704 | ages 14 1705 | employment 14 1706 | ary 14 1707 | apart 14 1708 | conscientiously 14 1709 | flight 14 1710 | association 14 1711 | represent 14 1712 | th 14 1713 | activity 14 1714 | standard 14 1715 | call 14 1716 | jia 14 1717 | solid 14 1718 | seven 14 1719 | earnestly 14 1720 | turned 14 1721 | 1.@@ 14 1722 | battle 14 1723 | split 14 1724 | proposals 14 1725 | known 14 1726 | coal 14 1727 | gone 14 1728 | chi@@ 14 1729 | huang 14 1730 | launching 14 1731 | plenary 14 1732 | consistently 14 1733 | contemporary 14 1734 | strike 14 1735 | africa 14 1736 | search 14 1737 | impossible 14 1738 | end@@ 14 1739 | regular 14 1740 | site 14 1741 | america 14 1742 | integration 14 1743 | annual 14 1744 | 27 14 1745 | similar 14 1746 | ru@@ 14 1747 | values 14 1748 | autonomous 14 1749 | medical 14 1750 | rest 14 1751 | exchanged 14 1752 | palestinian 14 1753 | 21 14 1754 | eventually 14 1755 | talking 14 1756 | finance 14 1757 | intelligence 14 1758 | resolved 14 1759 | growing 14 1760 | gain 14 1761 | ment 14 1762 | body 14 1763 | suggestions 14 1764 | zedong 14 1765 | crimes 14 1766 | anti@@ 14 1767 | ist 14 1768 | annette 14 1769 | neither 14 1770 | bangzao 14 1771 | condition 14 1772 | paying 14 1773 | station 14 1774 | spoke 14 1775 | december 14 1776 | won 14 1777 | provinces 14 1778 | il@@ 14 1779 | illegal 14 1780 | head 14 1781 | concerted 14 1782 | instead 14 1783 | tests 14 1784 | dr@@ 14 1785 | ine 14 1786 | displayed 14 1787 | individual 14 1788 | highest 14 1789 | respective 14 1790 | ecological 14 1791 | poverty 14 1792 | ho@@ 14 1793 | expansion 14 1794 | ended 14 1795 | ite 14 1796 | mer@@ 14 1797 | written 14 1798 | se@@ 14 1799 | ish@@ 14 1800 | ses 14 1801 | high-quality 14 1802 | fair 14 1803 | 8@@ 14 1804 | networks 14 1805 | worked 14 1806 | children 14 1807 | kaohsiung 14 1808 | ic 14 1809 | found 14 1810 | innovations 14 1811 | ator 14 1812 | landing 13 1813 | require 13 1814 | transformation 13 1815 | treasury 13 1816 | ye 13 1817 | 198@@ 13 1818 | ously 13 1819 | frequent 13 1820 | personally 13 1821 | independent 13 1822 | drawing 13 1823 | ity 13 1824 | arats 13 1825 | essential 13 1826 | decisions 13 1827 | starting 13 1828 | ask 13 1829 | losses 13 1830 | consider 13 1831 | consolidate 13 1832 | operational 13 1833 | north-south 13 1834 | german 13 1835 | exists 13 1836 | bi@@ 13 1837 | 1995 13 1838 | affect 13 1839 | post 13 1840 | pres@@ 13 1841 | france 13 1842 | women 13 1843 | comm@@ 13 1844 | placed 13 1845 | qu@@ 13 1846 | orientation 13 1847 | jianxing 13 1848 | sts 13 1849 | doubt 13 1850 | up@@ 13 1851 | d-@@ 13 1852 | '@@ 13 1853 | path 13 1854 | coordination 13 1855 | until 13 1856 | raised 13 1857 | consistent 13 1858 | evening 13 1859 | millennium 13 1860 | charge 13 1861 | iz@@ 13 1862 | manufacturing 13 1863 | sustained 13 1864 | izing 13 1865 | thoroughly 13 1866 | approval 13 1867 | posts 13 1868 | treatment 13 1869 | date 13 1870 | sanctions 13 1871 | ies 13 1872 | fairly 13 1873 | respectively 13 1874 | works 13 1875 | qing 13 1876 | neighbors 13 1877 | operating 13 1878 | unable 13 1879 | sources 13 1880 | eliminate 13 1881 | conducive 13 1882 | drawn 13 1883 | rescue 13 1884 | .@@ 13 1885 | briefed 13 1886 | hands 13 1887 | g-8 13 1888 | contact 13 1889 | yu 13 1890 | marxist 13 1891 | steady 13 1892 | figures 13 1893 | ec@@ 13 1894 | concentrate 13 1895 | executive 13 1896 | iti@@ 13 1897 | acts 13 1898 | hence 13 1899 | 500 13 1900 | continuing 13 1901 | senate 13 1902 | extensive 13 1903 | win 13 1904 | grasp 13 1905 | everything 13 1906 | institute 13 1907 | enable 13 1908 | smooth 13 1909 | nationalities 13 1910 | seize 13 1911 | jun 13 1912 | experienced 13 1913 | movement 13 1914 | undertakings 13 1915 | turning 13 1916 | figure 13 1917 | settlement 13 1918 | required 13 1919 | hegemonism 13 1920 | one-@@ 13 1921 | shi 13 1922 | stands 13 1923 | bound 13 1924 | begin 13 1925 | 17 13 1926 | produce 13 1927 | thailand 13 1928 | formed 13 1929 | guide 13 1930 | communications 13 1931 | ruling 13 1932 | fu 13 1933 | revenue 13 1934 | 20th 12 1935 | coll@@ 12 1936 | adapt 12 1937 | stationed 12 1938 | ke 12 1939 | positions 12 1940 | phenomena 12 1941 | ce@@ 12 1942 | contents 12 1943 | airport 12 1944 | submarines 12 1945 | supply 12 1946 | oil 12 1947 | republican 12 1948 | f 12 1949 | interview 12 1950 | mis@@ 12 1951 | target 12 1952 | trans@@ 12 1953 | unified 12 1954 | governing 12 1955 | victory 12 1956 | mechanisms 12 1957 | entitled 12 1958 | crew 12 1959 | explo@@ 12 1960 | ering 12 1961 | openly 12 1962 | ian 12 1963 | lessons 12 1964 | w 12 1965 | makes 12 1966 | fl@@ 12 1967 | encourage 12 1968 | tell 12 1969 | engaging 12 1970 | providing 12 1971 | guo 12 1972 | dalai 12 1973 | claimed 12 1974 | joining 12 1975 | rely 12 1976 | continuous 12 1977 | zone 12 1978 | ad 12 1979 | mal@@ 12 1980 | artillery 12 1981 | solving 12 1982 | 1,@@ 12 1983 | iting 12 1984 | putting 12 1985 | extended 12 1986 | creating 12 1987 | focus 12 1988 | event 12 1989 | peasant 12 1990 | enjoys 12 1991 | ai 12 1992 | bank 12 1993 | speeding 12 1994 | bringing 12 1995 | israeli 12 1996 | ai@@ 12 1997 | 1992 12 1998 | ou@@ 12 1999 | embassy 12 2000 | declaration 12 2001 | learn 12 2002 | targets 12 2003 | appointed 12 2004 | variety 12 2005 | presented 12 2006 | excellency 12 2007 | parts 12 2008 | crack 12 2009 | term 12 2010 | cur@@ 12 2011 | worldwide 12 2012 | goodwill 12 2013 | cr@@ 12 2014 | wa@@ 12 2015 | in-depth 12 2016 | off@@ 12 2017 | original 12 2018 | mar@@ 12 2019 | spring 12 2020 | three-@@ 12 2021 | satisfaction 12 2022 | tradition 12 2023 | proper 12 2024 | preferential 12 2025 | account 12 2026 | revolutionary 12 2027 | mentioned 12 2028 | calls 12 2029 | elected 12 2030 | involving 12 2031 | assets 12 2032 | hainan 12 2033 | ak@@ 12 2034 | sar 12 2035 | belief 12 2036 | intention 12 2037 | politicians 12 2038 | accepted 12 2039 | entering 12 2040 | 't 12 2041 | aspect 12 2042 | surely 12 2043 | participants 12 2044 | crime 12 2045 | laos 12 2046 | ia 12 2047 | significant 12 2048 | tic 12 2049 | integrated 12 2050 | lin 12 2051 | duties 12 2052 | effect 12 2053 | practices 12 2054 | greetings 12 2055 | expanded 12 2056 | word 12 2057 | everyone 12 2058 | arrested 12 2059 | ring 12 2060 | us-@@ 12 2061 | totally 12 2062 | reflected 12 2063 | expression 12 2064 | followers 12 2065 | prior 12 2066 | guard 12 2067 | ii 12 2068 | weak 12 2069 | obviously 12 2070 | ay@@ 12 2071 | debt 12 2072 | commerce 12 2073 | tenth 12 2074 | pol@@ 11 2075 | praised 11 2076 | playing 11 2077 | lost 11 2078 | kuomintang 11 2079 | race 11 2080 | described 11 2081 | tourism 11 2082 | favor 11 2083 | contrary 11 2084 | shan 11 2085 | lu@@ 11 2086 | otherwise 11 2087 | features 11 2088 | sciences 11 2089 | assembly 11 2090 | demonstrated 11 2091 | remains 11 2092 | form@@ 11 2093 | acting 11 2094 | exactly 11 2095 | marriage 11 2096 | giving 11 2097 | costs 11 2098 | car 11 2099 | book 11 2100 | ry 11 2101 | urgency 11 2102 | free 11 2103 | george 11 2104 | feeling 11 2105 | output 11 2106 | moves 11 2107 | ents 11 2108 | cre@@ 11 2109 | 25 11 2110 | prove 11 2111 | repeated 11 2112 | performance 11 2113 | op@@ 11 2114 | renminbi 11 2115 | imperative 11 2116 | ators 11 2117 | ists 11 2118 | submarine 11 2119 | industrialization 11 2120 | haotian 11 2121 | pattern 11 2122 | complex 11 2123 | frequently 11 2124 | approach 11 2125 | realization 11 2126 | dangerous 11 2127 | worried 11 2128 | high-@@ 11 2129 | subject 11 2130 | est@@ 11 2131 | pursue 11 2132 | vigilance 11 2133 | albright 11 2134 | forth 11 2135 | proceed 11 2136 | overcome 11 2137 | resource 11 2138 | angle 11 2139 | aroused 11 2140 | ber@@ 11 2141 | trouble 11 2142 | ruihuan 11 2143 | minority 11 2144 | definitely 11 2145 | enhanced 11 2146 | moral 11 2147 | request 11 2148 | capable 11 2149 | save 11 2150 | 600 11 2151 | marked 11 2152 | farm 11 2153 | ships 11 2154 | den@@ 11 2155 | securities 11 2156 | obvious 11 2157 | send 11 2158 | comes 11 2159 | follow 11 2160 | articles 11 2161 | wanted 11 2162 | shares 11 2163 | enti@@ 11 2164 | guideline 11 2165 | trends 11 2166 | remove 11 2167 | ourselves 11 2168 | ize 11 2169 | least 11 2170 | est 11 2171 | 31 11 2172 | criticized 11 2173 | ization 11 2174 | ness 11 2175 | existence 11 2176 | conflict 11 2177 | legitimate 11 2178 | shenzhen 11 2179 | expert 11 2180 | ma 11 2181 | ul@@ 11 2182 | interference 11 2183 | academy 11 2184 | studies 11 2185 | try 11 2186 | thanked 11 2187 | and@@ 11 2188 | prominent 11 2189 | framework 11 2190 | answer 11 2191 | trying 11 2192 | comp@@ 11 2193 | accelerate 11 2194 | ur@@ 11 2195 | ambassador 11 2196 | bad 11 2197 | feelings 11 2198 | situations 11 2199 | scene 11 2200 | agree 11 2201 | qiyue 11 2202 | proved 11 2203 | honor 11 2204 | sub@@ 11 2205 | unprecedented 11 2206 | z@@ 11 2207 | grow 11 2208 | sincerely 11 2209 | publicity 11 2210 | coastal 11 2211 | we@@ 11 2212 | defend 11 2213 | acy 11 2214 | reporting 11 2215 | nationwide 11 2216 | originally 11 2217 | realized 11 2218 | farmers 11 2219 | fu@@ 11 2220 | hosted 11 2221 | returned 11 2222 | hui 11 2223 | true 11 2224 | owing 11 2225 | winning 11 2226 | mayor 11 2227 | driving 11 2228 | domin@@ 11 2229 | kosovo 11 2230 | night 11 2231 | participate 11 2232 | opposing 11 2233 | civilian 11 2234 | mark 11 2235 | zeng 11 2236 | felt 11 2237 | transfer 11 2238 | om@@ 11 2239 | satellite 11 2240 | inv@@ 11 2241 | resist 11 2242 | mother 11 2243 | appropriate 11 2244 | eng@@ 11 2245 | pilot 11 2246 | minds 11 2247 | perfect 10 2248 | bed 10 2249 | 45 10 2250 | guests 10 2251 | quickly 10 2252 | aid 10 2253 | statements 10 2254 | ess 10 2255 | settling 10 2256 | non@@ 10 2257 | ke@@ 10 2258 | ali@@ 10 2259 | foreign-funded 10 2260 | upheld 10 2261 | syria 10 2262 | lower 10 2263 | ved 10 2264 | survey 10 2265 | fin@@ 10 2266 | ass@@ 10 2267 | ter@@ 10 2268 | purchase 10 2269 | patriotic 10 2270 | sending 10 2271 | dly 10 2272 | appeared 10 2273 | attempts 10 2274 | top 10 2275 | 6.@@ 10 2276 | t-@@ 10 2277 | te@@ 10 2278 | sell 10 2279 | macroeconomic 10 2280 | theories 10 2281 | glorious 10 2282 | alization 10 2283 | ideals 10 2284 | phase 10 2285 | ious 10 2286 | ely 10 2287 | uses 10 2288 | emphasize 10 2289 | surveillance 10 2290 | down-to-earth 10 2291 | range 10 2292 | extent 10 2293 | asean 10 2294 | xu 10 2295 | thorough 10 2296 | latest 10 2297 | citizens 10 2298 | corrupt 10 2299 | begun 10 2300 | fierce 10 2301 | al-@@ 10 2302 | imposed 10 2303 | deploy 10 2304 | amended 10 2305 | reaction 10 2306 | liberation 10 2307 | journalists 10 2308 | draw 10 2309 | perform 10 2310 | tension 10 2311 | likely 10 2312 | reforming 10 2313 | colleges 10 2314 | da@@ 10 2315 | fi@@ 10 2316 | emerged 10 2317 | constructive 10 2318 | exploration 10 2319 | replied 10 2320 | composed 10 2321 | numbers 10 2322 | answered 10 2323 | ments 10 2324 | record 10 2325 | anyone 10 2326 | easily 10 2327 | advocated 10 2328 | song 10 2329 | sincere 10 2330 | teachers 10 2331 | consultation 10 2332 | below 10 2333 | entourage 10 2334 | ne@@ 10 2335 | contribution 10 2336 | 20@@ 10 2337 | ably 10 2338 | headway 10 2339 | pace 10 2340 | 26 10 2341 | helped 10 2342 | impression 10 2343 | dialogues 10 2344 | seminar 10 2345 | warmly 10 2346 | entirely 10 2347 | ang@@ 10 2348 | indian 10 2349 | chrts 10 2350 | 1996 10 2351 | treaties 10 2352 | utilization 10 2353 | wage 10 2354 | compared 10 2355 | developments 10 2356 | competitiveness 10 2357 | businessmen 10 2358 | lines 10 2359 | instance 10 2360 | yuxi 10 2361 | residents 10 2362 | showing 10 2363 | volume 10 2364 | learning 10 2365 | takes 10 2366 | singapore 10 2367 | multi@@ 10 2368 | welcoming 10 2369 | reducing 10 2370 | har@@ 10 2371 | absolute 10 2372 | ars 10 2373 | completed 10 2374 | zhejiang 10 2375 | ph@@ 10 2376 | channels 10 2377 | scholars 10 2378 | criminals 10 2379 | belong 10 2380 | grass-roots 10 2381 | conflicts 10 2382 | closed 10 2383 | widespread 10 2384 | weaponry 10 2385 | interfere 10 2386 | formulating 10 2387 | resume 10 2388 | counter@@ 10 2389 | mr. 10 2390 | model 10 2391 | pr@@ 10 2392 | bar@@ 10 2393 | games 10 2394 | sum 10 2395 | agenda 10 2396 | relying 10 2397 | ning 10 2398 | affected 10 2399 | jiabao 10 2400 | review 10 2401 | ze 10 2402 | witnessed 10 2403 | gdp 10 2404 | justice 10 2405 | advancing 10 2406 | universities 10 2407 | liber@@ 10 2408 | worth 10 2409 | mobilization 10 2410 | message 10 2411 | airspace 10 2412 | restrictions 10 2413 | newly 10 2414 | straits 10 2415 | documents 10 2416 | organ 10 2417 | closer 10 2418 | germany 10 2419 | aspiration 10 2420 | 19 10 2421 | pntr 10 2422 | affecting 10 2423 | y-@@ 10 2424 | ized 10 2425 | ni@@ 9 2426 | plays 9 2427 | ligh@@ 9 2428 | emphatically 9 2429 | attain 9 2430 | narcotics 9 2431 | wisdom 9 2432 | ownership 9 2433 | running 9 2434 | successes 9 2435 | helping 9 2436 | ward 9 2437 | rejuvenation 9 2438 | manage 9 2439 | guangdong 9 2440 | strict 9 2441 | breakthroughs 9 2442 | adhering 9 2443 | briefing 9 2444 | perspective 9 2445 | reflect 9 2446 | tactics 9 2447 | belarus 9 2448 | 195@@ 9 2449 | careful 9 2450 | listed 9 2451 | conveyed 9 2452 | shortage 9 2453 | fighter 9 2454 | sixth 9 2455 | village 9 2456 | ail 9 2457 | ined 9 2458 | located 9 2459 | looked 9 2460 | all@@ 9 2461 | selected 9 2462 | resolute 9 2463 | danger 9 2464 | ribao 9 2465 | trial 9 2466 | ci@@ 9 2467 | document 9 2468 | sino-russian 9 2469 | interfering 9 2470 | recognized 9 2471 | studied 9 2472 | link 9 2473 | 15@@ 9 2474 | heretical 9 2475 | heard 9 2476 | decades 9 2477 | element 9 2478 | relief 9 2479 | ten 9 2480 | double 9 2481 | square 9 2482 | ish 9 2483 | typical 9 2484 | universal 9 2485 | stronger 9 2486 | mexico 9 2487 | stopped 9 2488 | sorts 9 2489 | jobs 9 2490 | mountains 9 2491 | ship 9 2492 | phenomenon 9 2493 | reconciliation 9 2494 | hi@@ 9 2495 | eng 9 2496 | appraisal 9 2497 | returning 9 2498 | guang@@ 9 2499 | external 9 2500 | exceeded 9 2501 | .2 9 2502 | an-@@ 9 2503 | principled 9 2504 | damage 9 2505 | imp@@ 9 2506 | dead 9 2507 | ren@@ 9 2508 | mentality 9 2509 | scheduled 9 2510 | fruitful 9 2511 | exp@@ 9 2512 | accident 9 2513 | frank 9 2514 | hidden 9 2515 | pressing 9 2516 | ground 9 2517 | discussions 9 2518 | cracking 9 2519 | bro@@ 9 2520 | setting 9 2521 | af@@ 9 2522 | exposed 9 2523 | willingness 9 2524 | cost 9 2525 | x@@ 9 2526 | trillion 9 2527 | consequences 9 2528 | x 9 2529 | fleet 9 2530 | compl@@ 9 2531 | might 9 2532 | train 9 2533 | a-@@ 9 2534 | reception 9 2535 | regiment 9 2536 | wrong 9 2537 | satisfied 9 2538 | older 9 2539 | mil@@ 9 2540 | earlier 9 2541 | br@@ 9 2542 | ati@@ 9 2543 | guidelines 9 2544 | 28 9 2545 | urged 9 2546 | continuation 9 2547 | ext@@ 9 2548 | chemical 9 2549 | cruise 9 2550 | introduced 9 2551 | inside 9 2552 | difficulty 9 2553 | splittist 9 2554 | ast@@ 9 2555 | predicted 9 2556 | creativity 9 2557 | sacred 9 2558 | res 9 2559 | timely 9 2560 | law@@ 9 2561 | characteristic 9 2562 | sting 9 2563 | watch 9 2564 | disputes 9 2565 | followed 9 2566 | northern 9 2567 | enthusiasm 9 2568 | sp@@ 9 2569 | zhi@@ 9 2570 | bu@@ 9 2571 | desire 9 2572 | chong-il 9 2573 | charges 9 2574 | sensitive 9 2575 | township 9 2576 | examples 9 2577 | chang@@ 9 2578 | legislative 9 2579 | succeed 9 2580 | incidents 9 2581 | tung 9 2582 | managing 9 2583 | tackle 9 2584 | humanitarian 9 2585 | investors 9 2586 | regulation 9 2587 | handled 9 2588 | abolished 9 2589 | koizumi 9 2590 | fire 9 2591 | refuse 9 2592 | her@@ 9 2593 | expenditures 9 2594 | accomplishing 9 2595 | anti-corruption 9 2596 | health 9 2597 | contract 9 2598 | forming 9 2599 | indignation 9 2600 | tly 9 2601 | primary 9 2602 | - 9 2603 | monitoring 9 2604 | ening 9 2605 | adherence 9 2606 | understood 9 2607 | parents 9 2608 | newspaper 9 2609 | mu@@ 8 2610 | jin@@ 8 2611 | luo 8 2612 | pursued 8 2613 | afraid 8 2614 | lasting 8 2615 | determine 8 2616 | jin 8 2617 | hit 8 2618 | 70 8 2619 | peacekeeping 8 2620 | ster@@ 8 2621 | reserves 8 2622 | criticism 8 2623 | serving 8 2624 | fixed 8 2625 | malta 8 2626 | changing 8 2627 | pollution 8 2628 | superiority 8 2629 | depth 8 2630 | acknowledge 8 2631 | outlook 8 2632 | r 8 2633 | shift 8 2634 | courts 8 2635 | xiang 8 2636 | taxation 8 2637 | obtain 8 2638 | determines 8 2639 | 60 8 2640 | apply 8 2641 | mean 8 2642 | col@@ 8 2643 | coun@@ 8 2644 | ory 8 2645 | gre@@ 8 2646 | federation 8 2647 | auditing 8 2648 | 14 8 2649 | rose 8 2650 | blood 8 2651 | accelerating 8 2652 | settled 8 2653 | ude 8 2654 | 13 8 2655 | istic 8 2656 | ecting 8 2657 | tional 8 2658 | spending 8 2659 | focal 8 2660 | endeavor 8 2661 | percentage 8 2662 | exhibition 8 2663 | programs 8 2664 | promises 8 2665 | fund 8 2666 | ji 8 2667 | merely 8 2668 | coast 8 2669 | cambodia 8 2670 | informationization 8 2671 | ay 8 2672 | reflects 8 2673 | host 8 2674 | yan@@ 8 2675 | door 8 2676 | fresh 8 2677 | violent 8 2678 | appreciation 8 2679 | goes 8 2680 | steps 8 2681 | obtained 8 2682 | shen 8 2683 | ances 8 2684 | break 8 2685 | destroyers 8 2686 | function 8 2687 | sive 8 2688 | quarter 8 2689 | str@@ 8 2690 | ed@@ 8 2691 | friends 8 2692 | forced 8 2693 | aimed 8 2694 | sustainable 8 2695 | near 8 2696 | wide 8 2697 | vigorous 8 2698 | ked 8 2699 | surplus 8 2700 | do@@ 8 2701 | requires 8 2702 | devoted 8 2703 | underground 8 2704 | tried 8 2705 | investments 8 2706 | getting 8 2707 | moved 8 2708 | 10@@ 8 2709 | aware 8 2710 | vehicles 8 2711 | aring 8 2712 | tons 8 2713 | multilateral 8 2714 | pursuit 8 2715 | vote 8 2716 | ves 8 2717 | ically 8 2718 | vital 8 2719 | summer 8 2720 | released 8 2721 | tv 8 2722 | accomplished 8 2723 | district 8 2724 | ics 8 2725 | tokyo 8 2726 | prerequisite 8 2727 | ant@@ 8 2728 | assume 8 2729 | fifth 8 2730 | 18@@ 8 2731 | zhong 8 2732 | pillar 8 2733 | realistic 8 2734 | radio 8 2735 | motions 8 2736 | stick 8 2737 | ku@@ 8 2738 | rivers 8 2739 | fy 8 2740 | turns 8 2741 | parliament 8 2742 | practicing 8 2743 | corporation 8 2744 | mus@@ 8 2745 | cal@@ 8 2746 | lose 8 2747 | pu@@ 8 2748 | seems 8 2749 | regime 8 2750 | rare 8 2751 | lien 8 2752 | che@@ 8 2753 | communiques 8 2754 | 2,@@ 8 2755 | xi 8 2756 | rising 8 2757 | towards 8 2758 | effects 8 2759 | ching 8 2760 | under@@ 8 2761 | families 8 2762 | good-neighborly 8 2763 | easy 8 2764 | card 8 2765 | ban 8 2766 | master 8 2767 | institutional 8 2768 | amendment 8 2769 | partners 8 2770 | mat@@ 8 2771 | cao 8 2772 | renmin 8 2773 | ency 8 2774 | burden 8 2775 | backward 8 2776 | ev@@ 8 2777 | biggest 8 2778 | collection 8 2779 | ultimately 8 2780 | sef 8 2781 | objectives 8 2782 | instructions 8 2783 | namely 8 2784 | yongtu 8 2785 | te 8 2786 | wartime 8 2787 | mi@@ 8 2788 | fac@@ 8 2789 | warships 8 2790 | bear 8 2791 | orderly 8 2792 | remarkable 8 2793 | fo@@ 8 2794 | virtual 8 2795 | 0,000 8 2796 | severe 8 2797 | concluded 8 2798 | replace 8 2799 | increases 8 2800 | ture 8 2801 | sion 8 2802 | autonomy 8 2803 | sing 8 2804 | effectiveness 8 2805 | urbanization 8 2806 | precondition 8 2807 | mine 8 2808 | attacks 8 2809 | arab 8 2810 | federal 8 2811 | municipal 8 2812 | considered 8 2813 | river 8 2814 | preparatory 8 2815 | ful 8 2816 | sichuan 8 2817 | hand@@ 8 2818 | concerns 8 2819 | blair 8 2820 | guo@@ 8 2821 | personages 8 2822 | shrine 8 2823 | persistently 8 2824 | dignity 8 2825 | naval 8 2826 | ities 8 2827 | cul@@ 8 2828 | ps 8 2829 | optim@@ 8 2830 | yao 8 2831 | pushing 8 2832 | reserve 8 2833 | formulate 8 2834 | aviation 8 2835 | mem@@ 8 2836 | born 8 2837 | neighboring 8 2838 | ans 8 2839 | york 8 2840 | organizational 8 2841 | scored 8 2842 | observe 8 2843 | medium-sized 8 2844 | wor@@ 8 2845 | -year-old 8 2846 | knows 8 2847 | ened 8 2848 | banquet 8 2849 | character 8 2850 | fr@@ 8 2851 | awareness 8 2852 | intensified 8 2853 | encountered 8 2854 | ao 8 2855 | surface 8 2856 | destruction 8 2857 | team 8 2858 | cabinet 8 2859 | alone 8 2860 | existed 8 2861 | ire 8 2862 | minutes 8 2863 | orders 8 2864 | emphasis 8 2865 | section 8 2866 | ung 8 2867 | arafat 8 2868 | enormous 8 2869 | ow@@ 8 2870 | 11 8 2871 | onto 8 2872 | infrastructure 8 2873 | so@@ 8 2874 | intervention 8 2875 | splitting 8 2876 | counties 8 2877 | taipei 8 2878 | ones 8 2879 | feudal 8 2880 | choose 8 2881 | stepping 8 2882 | pleased 8 2883 | ukraine 8 2884 | min 8 2885 | preserving 8 2886 | thereby 8 2887 | factor 8 2888 | q@@ 8 2889 | additional 8 2890 | mode 8 2891 | latter 8 2892 | forget 8 2893 | aded 7 2894 | explained 7 2895 | zhi 7 2896 | resulted 7 2897 | nationals 7 2898 | design 7 2899 | undoubtedly 7 2900 | ain 7 2901 | bombing 7 2902 | indonesia 7 2903 | image 7 2904 | asem 7 2905 | inc@@ 7 2906 | designated 7 2907 | provides 7 2908 | ge 7 2909 | chu 7 2910 | selection 7 2911 | dong 7 2912 | pledged 7 2913 | younger 7 2914 | friend 7 2915 | hardly 7 2916 | 'en 7 2917 | little 7 2918 | respected 7 2919 | convey 7 2920 | flights 7 2921 | adhered 7 2922 | upgrading 7 2923 | fighters 7 2924 | win-win 7 2925 | joined 7 2926 | commitments 7 2927 | accused 7 2928 | far-reaching 7 2929 | nam@@ 7 2930 | speaks 7 2931 | 4th 7 2932 | symposium 7 2933 | disaster 7 2934 | item 7 2935 | internationally 7 2936 | jing@@ 7 2937 | lesson 7 2938 | alized 7 2939 | steadily 7 2940 | reversion 7 2941 | exert 7 2942 | dered 7 2943 | hours 7 2944 | ach@@ 7 2945 | ishing 7 2946 | cited 7 2947 | long-@@ 7 2948 | competitive 7 2949 | shared 7 2950 | proud 7 2951 | rally 7 2952 | assigned 7 2953 | engineering 7 2954 | professional 7 2955 | religion 7 2956 | checked 7 2957 | included 7 2958 | denghui 7 2959 | unremitting 7 2960 | integrating 7 2961 | interviewed 7 2962 | language 7 2963 | sel@@ 7 2964 | conservative 7 2965 | ending 7 2966 | ently 7 2967 | bangguo 7 2968 | wen@@ 7 2969 | prices 7 2970 | italy 7 2971 | sign@@ 7 2972 | undergone 7 2973 | guam 7 2974 | tic@@ 7 2975 | twists 7 2976 | advantage 7 2977 | dream 7 2978 | carrier 7 2979 | furthermore 7 2980 | extr@@ 7 2981 | v 7 2982 | jul 7 2983 | skills 7 2984 | et 7 2985 | 10-@@ 7 2986 | remark 7 2987 | precious 7 2988 | data 7 2989 | traffic 7 2990 | alist 7 2991 | ons 7 2992 | claim 7 2993 | amid 7 2994 | towns 7 2995 | kin@@ 7 2996 | gener@@ 7 2997 | periods 7 2998 | emp@@ 7 2999 | ent@@ 7 3000 | bur@@ 7 3001 | aries 7 3002 | protests 7 3003 | super@@ 7 3004 | disclosed 7 3005 | promulgated 7 3006 | gh@@ 7 3007 | fundamentally 7 3008 | conviction 7 3009 | congressmen 7 3010 | publication 7 3011 | casualties 7 3012 | formal 7 3013 | tain 7 3014 | arity 7 3015 | false 7 3016 | normalization 7 3017 | joins 7 3018 | ual 7 3019 | punished 7 3020 | pose 7 3021 | accompanied 7 3022 | depending 7 3023 | 17@@ 7 3024 | star 7 3025 | remained 7 3026 | piece 7 3027 | treat 7 3028 | violating 7 3029 | gas 7 3030 | tors 7 3031 | expenditure 7 3032 | vision 7 3033 | striving 7 3034 | suddenly 7 3035 | gen@@ 7 3036 | regulatory 7 3037 | beautiful 7 3038 | islands 7 3039 | coordinated 7 3040 | select 7 3041 | lay 7 3042 | ered 7 3043 | congratulations 7 3044 | expectations 7 3045 | mon@@ 7 3046 | entrepreneurs 7 3047 | mobilize 7 3048 | capabilities 7 3049 | zhu@@ 7 3050 | long@@ 7 3051 | right-wing 7 3052 | delegates 7 3053 | refused 7 3054 | fell 7 3055 | concepts 7 3056 | go@@ 7 3057 | hearing 7 3058 | battlefield 7 3059 | everybody 7 3060 | varieties 7 3061 | transform 7 3062 | og@@ 7 3063 | satellites 7 3064 | energetically 7 3065 | mainstream 7 3066 | allows 7 3067 | 15th 7 3068 | analysts 7 3069 | rumsfeld 7 3070 | inj@@ 7 3071 | proceeding 7 3072 | zxs 7 3073 | w. 7 3074 | two-@@ 7 3075 | thousands 7 3076 | 1994 7 3077 | e-commerce 7 3078 | extend 7 3079 | ily 7 3080 | organizing 7 3081 | coexistence 7 3082 | cy@@ 7 3083 | granting 7 3084 | shandong 7 3085 | game 7 3086 | bor@@ 7 3087 | dispute 7 3088 | laying 7 3089 | promise 7 3090 | unique 7 3091 | unless 7 3092 | protectionism 7 3093 | drought 7 3094 | immediate 7 3095 | profits 7 3096 | birth 7 3097 | marke@@ 7 3098 | exclusive 7 3099 | char@@ 7 3100 | hsieh 7 3101 | consumer 7 3102 | hen@@ 7 3103 | weaken 7 3104 | inevitably 7 3105 | threatened 7 3106 | keeping 7 3107 | affirmed 7 3108 | ta@@ 7 3109 | vigor 7 3110 | loans 7 3111 | sed 7 3112 | ished 7 3113 | 0.@@ 7 3114 | survival 7 3115 | iraqi 7 3116 | undermine 7 3117 | happened 7 3118 | desc@@ 7 3119 | el 7 3120 | ease 7 3121 | indicates 7 3122 | affair 7 3123 | dispatched 7 3124 | disasters 7 3125 | rel@@ 7 3126 | critical 7 3127 | editorial 7 3128 | gang 7 3129 | fuzhou 7 3130 | funding 7 3131 | moscow 7 3132 | fast 7 3133 | 2008 7 3134 | expounded 7 3135 | optical 7 3136 | zh@@ 7 3137 | allies 7 3138 | icate 7 3139 | 2005 7 3140 | china-us 7 3141 | input 7 3142 | deficit 7 3143 | port 7 3144 | dy 7 3145 | minimum 7 3146 | & 7 3147 | yasukuni 7 3148 | demonstration 7 3149 | ing@@ 7 3150 | explore 7 3151 | two-state 7 3152 | wealth 7 3153 | love 7 3154 | grasping 7 3155 | controlling 7 3156 | shaanxi 7 3157 | premise 7 3158 | motion 7 3159 | killed 7 3160 | s-@@ 7 3161 | protocol 7 3162 | release 7 3163 | mobile 7 3164 | observed 7 3165 | struggles 7 3166 | relies 7 3167 | probably 7 3168 | millions 7 3169 | guangzhou 7 3170 | separate 7 3171 | registered 7 3172 | guarantees 7 3173 | tation 7 3174 | aspirations 7 3175 | prosperous 7 3176 | initial 7 3177 | mention 7 3178 | pool 7 3179 | 1990 7 3180 | combined 7 3181 | tough 7 3182 | pass 7 3183 | spec@@ 7 3184 | ality 7 3185 | estim@@ 7 3186 | deployed 7 3187 | calm 7 3188 | simply 7 3189 | ese 7 3190 | ill@@ 7 3191 | sky 7 3192 | stubborn 7 3193 | fulfillment 7 3194 | passing 7 3195 | satisfactory 7 3196 | dozens 7 3197 | capita 7 3198 | southeast 7 3199 | zed 7 3200 | brilliant 7 3201 | presided 7 3202 | teaching 7 3203 | ministerial 7 3204 | utmost 7 3205 | identi@@ 7 3206 | os 7 3207 | degrees 7 3208 | attracted 7 3209 | serves 7 3210 | tour 7 3211 | talked 7 3212 | ment@@ 7 3213 | com@@ 7 3214 | ye@@ 7 3215 | anything 7 3216 | unemployed 7 3217 | fashion 7 3218 | single 7 3219 | der@@ 7 3220 | accelerated 7 3221 | divided 7 3222 | equipped 7 3223 | conventional 7 3224 | 1991 7 3225 | reunifying 7 3226 | ver 7 3227 | cultivation 7 3228 | valuable 7 3229 | guided 7 3230 | countermeasures 7 3231 | note 7 3232 | undertaking 7 3233 | discussing 7 3234 | hegemonist 7 3235 | boost 7 3236 | ge@@ 7 3237 | sions 7 3238 | identical 7 3239 | decisive 7 3240 | fied 7 3241 | expressing 7 3242 | individuals 7 3243 | chang 7 3244 | connection 6 3245 | addres@@ 6 3246 | fee 6 3247 | impl@@ 6 3248 | emergence 6 3249 | exploitation 6 3250 | 1980s 6 3251 | hua 6 3252 | allowing 6 3253 | hubei 6 3254 | talented 6 3255 | suffer 6 3256 | plan@@ 6 3257 | gi@@ 6 3258 | invested 6 3259 | commitment 6 3260 | sovereign 6 3261 | advocating 6 3262 | interim 6 3263 | accord 6 3264 | topics 6 3265 | palestinian-israeli 6 3266 | fronts 6 3267 | our@@ 6 3268 | reconnaisance 6 3269 | noticed 6 3270 | gation 6 3271 | gri@@ 6 3272 | deepened 6 3273 | self-immolation 6 3274 | unilaterally 6 3275 | hunan 6 3276 | hall 6 3277 | famous 6 3278 | collected 6 3279 | dom@@ 6 3280 | legislation 6 3281 | anti-ballistic 6 3282 | perfected 6 3283 | accomplishments 6 3284 | either 6 3285 | 5.@@ 6 3286 | low-@@ 6 3287 | drills 6 3288 | inaugural 6 3289 | concentrated 6 3290 | strategies 6 3291 | lie 6 3292 | recognition 6 3293 | behavior 6 3294 | attract 6 3295 | daily 6 3296 | circulation 6 3297 | prompted 6 3298 | varying 6 3299 | policemen 6 3300 | formally 6 3301 | dissatisfied 6 3302 | withstand 6 3303 | directed 6 3304 | nan@@ 6 3305 | got 6 3306 | 4.@@ 6 3307 | suggested 6 3308 | convention 6 3309 | elled 6 3310 | arrival 6 3311 | naturally 6 3312 | ck 6 3313 | armament 6 3314 | castro 6 3315 | gan 6 3316 | fake 6 3317 | complementary 6 3318 | guaranteeing 6 3319 | models 6 3320 | xian 6 3321 | formulation 6 3322 | pushed 6 3323 | secrets 6 3324 | subjects 6 3325 | announce 6 3326 | tu@@ 6 3327 | mid-@@ 6 3328 | tae-chung 6 3329 | aged 6 3330 | speak 6 3331 | appeal 6 3332 | violated 6 3333 | ving 6 3334 | everywhere 6 3335 | beliefs 6 3336 | stages 6 3337 | includes 6 3338 | ki@@ 6 3339 | criterion 6 3340 | ust 6 3341 | educ@@ 6 3342 | grew 6 3343 | ports 6 3344 | escap@@ 6 3345 | dro@@ 6 3346 | solemn 6 3347 | 0-@@ 6 3348 | administering 6 3349 | arising 6 3350 | yugoslavia 6 3351 | primarily 6 3352 | fail 6 3353 | matsu 6 3354 | formalism 6 3355 | grim 6 3356 | adheres 6 3357 | styles 6 3358 | 80th 6 3359 | congresses 6 3360 | saddam 6 3361 | producing 6 3362 | components 6 3363 | spend 6 3364 | short-term 6 3365 | corresponding 6 3366 | cultivated 6 3367 | speaker 6 3368 | 3,@@ 6 3369 | gives 6 3370 | xiao 6 3371 | dong@@ 6 3372 | profoundly 6 3373 | combination 6 3374 | wrote 6 3375 | ition 6 3376 | strikes 6 3377 | someone 6 3378 | yu@@ 6 3379 | flying 6 3380 | southern 6 3381 | drug 6 3382 | coordinate 6 3383 | food 6 3384 | communication 6 3385 | zhen@@ 6 3386 | bly 6 3387 | outline 6 3388 | monetary 6 3389 | ters 6 3390 | victims 6 3391 | readjust 6 3392 | itation 6 3393 | 13@@ 6 3394 | to-@@ 6 3395 | observers 6 3396 | sec@@ 6 3397 | dalian 6 3398 | bridge 6 3399 | ingly 6 3400 | criticizing 6 3401 | ce 6 3402 | ences 6 3403 | attained 6 3404 | inted 6 3405 | han 6 3406 | beidaihe 6 3407 | wannian 6 3408 | scientists 6 3409 | firepower 6 3410 | logistics 6 3411 | debts 6 3412 | cor@@ 6 3413 | punishment 6 3414 | accidents 6 3415 | annan 6 3416 | limits 6 3417 | version 6 3418 | materials 6 3419 | clar@@ 6 3420 | ver@@ 6 3421 | ranks 6 3422 | fate 6 3423 | mori 6 3424 | cam@@ 6 3425 | nine 6 3426 | succeeded 6 3427 | payments 6 3428 | unswervingly 6 3429 | jian@@ 6 3430 | ains 6 3431 | reasonable 6 3432 | negoti@@ 6 3433 | ils 6 3434 | submitted 6 3435 | sooner 6 3436 | commanding 6 3437 | ca@@ 6 3438 | hi-tech 6 3439 | shape 6 3440 | arm@@ 6 3441 | ,000 6 3442 | stay 6 3443 | leban@@ 6 3444 | aforementioned 6 3445 | pan@@ 6 3446 | counter-@@ 6 3447 | accounts 6 3448 | mist@@ 6 3449 | sphere 6 3450 | heartfelt 6 3451 | vajpayee 6 3452 | ami 6 3453 | zones 6 3454 | selling 6 3455 | liaison 6 3456 | households 6 3457 | ion 6 3458 | compar@@ 6 3459 | handed 6 3460 | zts 6 3461 | atta@@ 6 3462 | hospital 6 3463 | contingent 6 3464 | ade 6 3465 | revising 6 3466 | import 6 3467 | illegally 6 3468 | elections 6 3469 | tactical 6 3470 | ination 6 3471 | analyzed 6 3472 | ication 6 3473 | academic 6 3474 | econom@@ 6 3475 | professor 6 3476 | events 6 3477 | entrance 6 3478 | gang@@ 6 3479 | park 6 3480 | website 6 3481 | lian@@ 6 3482 | prefecture 6 3483 | stressing 6 3484 | fir@@ 6 3485 | behalf 6 3486 | dic@@ 6 3487 | professionals 6 3488 | ash 6 3489 | sol@@ 6 3490 | feb 6 3491 | chapter 6 3492 | achievement 6 3493 | chinese-@@ 6 3494 | mar 6 3495 | procuratorial 6 3496 | unequal 6 3497 | returns 6 3498 | vi@@ 6 3499 | breakthrough 6 3500 | den 6 3501 | cross-@@ 6 3502 | grave 6 3503 | ths 6 3504 | ile 6 3505 | pakistani 6 3506 | discovered 6 3507 | stimulating 6 3508 | drafting 6 3509 | disciplines 6 3510 | qinghong 6 3511 | revise 6 3512 | solved 6 3513 | patent 6 3514 | resettlement 6 3515 | cites 6 3516 | tically 6 3517 | wise 6 3518 | sign 6 3519 | beings 6 3520 | upcoming 6 3521 | testing 6 3522 | hundred 6 3523 | lif@@ 6 3524 | self 6 3525 | appoint 6 3526 | are@@ 6 3527 | spite 6 3528 | kyrgyzstan 6 3529 | score 6 3530 | pos@@ 6 3531 | saudi 6 3532 | att@@ 6 3533 | pa@@ 6 3534 | reduction 6 3535 | performed 6 3536 | payment 6 3537 | advocate 6 3538 | useful 6 3539 | huaicheng 6 3540 | outer 6 3541 | chung 6 3542 | enhancement 6 3543 | mid@@ 6 3544 | manned 6 3545 | initi@@ 6 3546 | yun@@ 6 3547 | gulf 6 3548 | bri@@ 6 3549 | budgets 6 3550 | medium 6 3551 | cruel 6 3552 | textbook 6 3553 | rogue 6 3554 | corporations 6 3555 | staying 6 3556 | ys 6 3557 | 0s 6 3558 | navigation 6 3559 | hegemonic 6 3560 | philippines 6 3561 | ste@@ 6 3562 | gathered 6 3563 | olympics 6 3564 | u.s. 6 3565 | armaments 6 3566 | invited 6 3567 | 9th 6 3568 | hy@@ 6 3569 | ann@@ 6 3570 | guangsheng 6 3571 | college 6 3572 | explicitly 6 3573 | ces 6 3574 | brazil 6 3575 | ick@@ 6 3576 | ection 6 3577 | managed 6 3578 | 5th 6 3579 | magnificent 6 3580 | adopting 6 3581 | resolutions 6 3582 | cuban 6 3583 | fication 6 3584 | imports 6 3585 | judgment 6 3586 | fore@@ 6 3587 | soil 6 3588 | xin 6 3589 | whatever 6 3590 | soft 6 3591 | served 6 3592 | items 6 3593 | revision 6 3594 | protective 6 3595 | extreme 6 3596 | pen@@ 6 3597 | uding 6 3598 | sted 6 3599 | cas@@ 6 3600 | enough 6 3601 | sentences 6 3602 | fil@@ 6 3603 | solution 6 3604 | 197@@ 6 3605 | tide 6 3606 | differenti@@ 6 3607 | follows 6 3608 | tri@@ 6 3609 | substantive 6 3610 | arrangement 6 3611 | divi@@ 6 3612 | week 6 3613 | bre@@ 6 3614 | qi@@ 6 3615 | accords 6 3616 | involves 6 3617 | combine 6 3618 | merits 6 3619 | relatives 6 3620 | zheng 6 3621 | sw@@ 6 3622 | efficient 6 3623 | adding 6 3624 | high-ranking 6 3625 | massive 6 3626 | indi@@ 6 3627 | bin 6 3628 | chee-hwa 6 3629 | kept 6 3630 | depend 6 3631 | banning 6 3632 | jie 6 3633 | causes 6 3634 | initially 6 3635 | ly-@@ 6 3636 | av@@ 6 3637 | credit 6 3638 | tiananmen 6 3639 | whom 6 3640 | gun 6 3641 | fri@@ 6 3642 | separated 6 3643 | covering 6 3644 | instruc@@ 6 3645 | intercepting 6 3646 | 300 6 3647 | gathering 6 3648 | exercising 6 3649 | sets 6 3650 | guns 6 3651 | arabia 6 3652 | unceasingly 6 3653 | offered 6 3654 | pilots 6 3655 | trading 6 3656 | fallen 6 3657 | cover 6 3658 | oc@@ 6 3659 | violations 6 3660 | aim 6 3661 | shoulder 6 3662 | agencies 6 3663 | denied 6 3664 | preserve 6 3665 | familiar 6 3666 | bul@@ 6 3667 | indispensable 6 3668 | departmental 6 3669 | war@@ 6 3670 | obligations 6 3671 | afterwards 6 3672 | er-@@ 6 3673 | exce@@ 6 3674 | contr@@ 6 3675 | arouse 6 3676 | 16@@ 6 3677 | soberly 6 3678 | waters 6 3679 | adjusted 6 3680 | spent 6 3681 | institution 6 3682 | tive 6 3683 | criteria 6 3684 | qi 6 3685 | bent 6 3686 | assumed 6 3687 | slowdown 6 3688 | transnational 6 3689 | wild 6 3690 | practitioners 6 3691 | gorges 6 3692 | um@@ 6 3693 | setbacks 6 3694 | organize 6 3695 | software 6 3696 | circular 6 3697 | chun@@ 6 3698 | regardless 6 3699 | participated 6 3700 | hard-@@ 6 3701 | sure 6 3702 | prevention 6 3703 | ges 6 3704 | hoping 6 3705 | cher 6 3706 | answering 6 3707 | prepared 6 3708 | biden 6 3709 | doub@@ 6 3710 | climate 6 3711 | intellectual 6 3712 | monopoly 6 3713 | aegis 6 3714 | cont@@ 6 3715 | offices 6 3716 | crackdown 6 3717 | ballistic 6 3718 | seizing 5 3719 | bought 5 3720 | amendments 5 3721 | cotton 5 3722 | nomination 5 3723 | ads 5 3724 | quietly 5 3725 | businesses 5 3726 | clean 5 3727 | lea@@ 5 3728 | seated 5 3729 | delegations 5 3730 | all-@@ 5 3731 | armenia 5 3732 | gaining 5 3733 | bei@@ 5 3734 | becomes 5 3735 | geographical 5 3736 | aff@@ 5 3737 | intensifying 5 3738 | sur@@ 5 3739 | academies 5 3740 | obligation 5 3741 | frontier 5 3742 | branches 5 3743 | ches 5 3744 | viewpoint 5 3745 | burdens 5 3746 | informed 5 3747 | destroying 5 3748 | rates 5 3749 | larger 5 3750 | spheres 5 3751 | fre@@ 5 3752 | compete 5 3753 | hsu 5 3754 | urges 5 3755 | coverage 5 3756 | mean@@ 5 3757 | taiwanese 5 3758 | uni@@ 5 3759 | surrounding 5 3760 | tajikistan 5 3761 | reduced 5 3762 | tical 5 3763 | exile 5 3764 | aerial 5 3765 | demonstrations 5 3766 | doomed 5 3767 | depends 5 3768 | tenure 5 3769 | armies 5 3770 | persist 5 3771 | obstacles 5 3772 | appropriately 5 3773 | sin@@ 5 3774 | opening-up 5 3775 | formation 5 3776 | seriousness 5 3777 | innovative 5 3778 | uring 5 3779 | pt 5 3780 | sen 5 3781 | occur 5 3782 | on-@@ 5 3783 | motive 5 3784 | ample 5 3785 | deliber@@ 5 3786 | 1970 5 3787 | curren@@ 5 3788 | ice 5 3789 | inde@@ 5 3790 | weapon 5 3791 | represented 5 3792 | -point 5 3793 | entertainment 5 3794 | troop 5 3795 | flo@@ 5 3796 | involve 5 3797 | net 5 3798 | iii 5 3799 | heav@@ 5 3800 | faith 5 3801 | currency 5 3802 | cc@@ 5 3803 | substantial 5 3804 | associations 5 3805 | far@@ 5 3806 | procurement 5 3807 | garden 5 3808 | pretext 5 3809 | seventh 5 3810 | single-@@ 5 3811 | migration 5 3812 | defendant 5 3813 | invest 5 3814 | exception 5 3815 | footing 5 3816 | jian 5 3817 | stri@@ 5 3818 | pan 5 3819 | appealed 5 3820 | militarism 5 3821 | votes 5 3822 | approximately 5 3823 | re-@@ 5 3824 | purely 5 3825 | whereby 5 3826 | consul@@ 5 3827 | od@@ 5 3828 | informal 5 3829 | equally 5 3830 | aerospace 5 3831 | trigger 5 3832 | investigating 5 3833 | extensively 5 3834 | highland 5 3835 | intentions 5 3836 | new-type 5 3837 | award 5 3838 | yayan 5 3839 | diversified 5 3840 | 1.2 5 3841 | wages 5 3842 | art 5 3843 | inspected 5 3844 | exerted 5 3845 | drugs 5 3846 | elementary 5 3847 | film 5 3848 | 1993 5 3849 | procuratorate 5 3850 | ka 5 3851 | judge 5 3852 | voice 5 3853 | looks 5 3854 | 49 5 3855 | linking 5 3856 | s. 5 3857 | eds 5 3858 | details 5 3859 | ber 5 3860 | feature 5 3861 | church 5 3862 | morality 5 3863 | stat@@ 5 3864 | usual 5 3865 | flowers 5 3866 | ,@@ 5 3867 | fal@@ 5 3868 | conspicuous 5 3869 | tears 5 3870 | impetus 5 3871 | overwhelming 5 3872 | ga@@ 5 3873 | arrest 5 3874 | leap@@ 5 3875 | geological 5 3876 | pressed 5 3877 | track 5 3878 | tragedy 5 3879 | campaigns 5 3880 | appl@@ 5 3881 | leap 5 3882 | dering 5 3883 | ina 5 3884 | els 5 3885 | sacrifice 5 3886 | buil@@ 5 3887 | eful 5 3888 | wished 5 3889 | kejie 5 3890 | na@@ 5 3891 | erroneous 5 3892 | heroic 5 3893 | theater 5 3894 | eye 5 3895 | withdraw 5 3896 | counter 5 3897 | rectifying 5 3898 | demanding 5 3899 | foster 5 3900 | enemies 5 3901 | ends 5 3902 | construc@@ 5 3903 | pot@@ 5 3904 | forever 5 3905 | destroyed 5 3906 | limit 5 3907 | understands 5 3908 | defending 5 3909 | antly 5 3910 | diverse 5 3911 | num@@ 5 3912 | jiechi 5 3913 | incomes 5 3914 | blows 5 3915 | loo@@ 5 3916 | positively 5 3917 | bodies 5 3918 | peacefully 5 3919 | defin@@ 5 3920 | arrang@@ 5 3921 | ining 5 3922 | specifically 5 3923 | severely 5 3924 | highway 5 3925 | nanjing 5 3926 | china-africa 5 3927 | loan 5 3928 | jo@@ 5 3929 | ative 5 3930 | arm 5 3931 | g-@@ 5 3932 | aling 5 3933 | okinawa 5 3934 | criticisms 5 3935 | newspapers 5 3936 | jerusalem 5 3937 | vor 5 3938 | terrorism 5 3939 | xiong 5 3940 | marketing 5 3941 | conta@@ 5 3942 | helps 5 3943 | minors 5 3944 | phone 5 3945 | seeing 5 3946 | protected 5 3947 | widely 5 3948 | institutes 5 3949 | subordinate 5 3950 | rebates 5 3951 | saw 5 3952 | suggest 5 3953 | foreign-invested 5 3954 | to@@ 5 3955 | violence 5 3956 | 3.@@ 5 3957 | nearby 5 3958 | kazakhstan 5 3959 | 50th 5 3960 | xing 5 3961 | civilizations 5 3962 | dongshan 5 3963 | offensive 5 3964 | fought 5 3965 | sober 5 3966 | banking 5 3967 | defeat 5 3968 | broke 5 3969 | 700 5 3970 | materialize 5 3971 | bold 5 3972 | sic 5 3973 | mainstay 5 3974 | impacts 5 3975 | defensive 5 3976 | accepting 5 3977 | australian 5 3978 | circle 5 3979 | imprisonment 5 3980 | accomplish 5 3981 | ratio 5 3982 | noticeably 5 3983 | aggressive 5 3984 | marking 5 3985 | cho@@ 5 3986 | separation 5 3987 | medi@@ 5 3988 | hor@@ 5 3989 | helms 5 3990 | philosophy 5 3991 | height 5 3992 | ob@@ 5 3993 | livelihood 5 3994 | row 5 3995 | ser@@ 5 3996 | ications 5 3997 | enthusiastic 5 3998 | 80 5 3999 | servicemen 5 4000 | squ@@ 5 4001 | i-@@ 5 4002 | calling 5 4003 | down@@ 5 4004 | governor 5 4005 | guofang 5 4006 | penetr@@ 5 4007 | vatican 5 4008 | feng 5 4009 | the@@ 5 4010 | sc@@ 5 4011 | sons 5 4012 | 38 5 4013 | of@@ 5 4014 | strain 5 4015 | break@@ 5 4016 | pul@@ 5 4017 | welcomes 5 4018 | emo@@ 5 4019 | accounted 5 4020 | flames 5 4021 | bombs 5 4022 | promised 5 4023 | fruits 5 4024 | politburo 5 4025 | uncle 5 4026 | industri@@ 5 4027 | read 5 4028 | comparatively 5 4029 | iranian 5 4030 | corps 5 4031 | rice 5 4032 | separately 5 4033 | facilitate 5 4034 | 76 5 4035 | spy 5 4036 | specialized 5 4037 | earnest 5 4038 | 100,000 5 4039 | selecting 5 4040 | contro@@ 5 4041 | nov 5 4042 | sanction 5 4043 | aims 5 4044 | engagement 5 4045 | destroy 5 4046 | -b@@ 5 4047 | south-north 5 4048 | completing 5 4049 | tmd 5 4050 | forged 5 4051 | nepalese 5 4052 | honored 5 4053 | sli@@ 5 4054 | worries 5 4055 | enabled 5 4056 | capitalism 5 4057 | cut 5 4058 | angry 5 4059 | controls 5 4060 | gate 5 4061 | advocates 5 4062 | gl@@ 5 4063 | multipolarization 5 4064 | lying 5 4065 | storm 5 4066 | 10,000 5 4067 | refer 5 4068 | equ@@ 5 4069 | protest 5 4070 | comfor@@ 5 4071 | ess@@ 5 4072 | creation 5 4073 | dependent 5 4074 | memorial 5 4075 | chain 5 4076 | considerably 5 4077 | venture 5 4078 | correction 5 4079 | universally 5 4080 | enabling 5 4081 | throw 5 4082 | ve@@ 5 4083 | breaking 5 4084 | headed 5 4085 | cope 5 4086 | zhaoxing 5 4087 | pragmatic 5 4088 | inf@@ 5 4089 | admitted 5 4090 | demobilized 5 4091 | mines 5 4092 | schedule 5 4093 | incomplete 5 4094 | high@@ 5 4095 | shi@@ 5 4096 | gun@@ 5 4097 | gore 5 4098 | faithfully 5 4099 | radar 5 4100 | unemployment 5 4101 | infringement 5 4102 | transferred 5 4103 | ins 5 4104 | smaller 5 4105 | tendency 5 4106 | poll 5 4107 | ple@@ 5 4108 | earth@@ 5 4109 | vietnamese 5 4110 | commonly 5 4111 | slightly 5 4112 | tai 5 4113 | accordingly 5 4114 | convinced 5 4115 | voting 5 4116 | integrate 5 4117 | records 5 4118 | buy 5 4119 | necessity 5 4120 | interpretation 5 4121 | state-@@ 5 4122 | proportion 5 4123 | palace 5 4124 | whose 5 4125 | adap@@ 5 4126 | ect 5 4127 | permit 5 4128 | arti@@ 5 4129 | ldp 5 4130 | xie 5 4131 | evalu@@ 5 4132 | escal@@ 5 4133 | elec@@ 5 4134 | kilometers 5 4135 | burst 5 4136 | fer@@ 5 4137 | mu 5 4138 | punish 5 4139 | died 5 4140 | ms 5 4141 | pati@@ 5 4142 | relocation 5 4143 | self-discipline 5 4144 | carefully 5 4145 | chancellor 5 4146 | controlled 5 4147 | chin@@ 5 4148 | transparency 5 4149 | avoiding 5 4150 | on-the-spot 5 4151 | opposes 5 4152 | barak 5 4153 | sufficient 5 4154 | custom@@ 5 4155 | jiangsu 5 4156 | condem@@ 5 4157 | emb@@ 5 4158 | 4,000 5 4159 | setup 5 4160 | ied 5 4161 | religions 5 4162 | instrument 5 4163 | km 5 4164 | dul@@ 5 4165 | yan 5 4166 | battles 5 4167 | cap@@ 5 4168 | lim@@ 5 4169 | closing 5 4170 | demonstrators 5 4171 | heilongjiang 5 4172 | batch 5 4173 | errors 5 4174 | ray 5 4175 | hai 5 4176 | well-known 5 4177 | dig@@ 5 4178 | directions 5 4179 | patterns 5 4180 | shocked 5 4181 | indicating 5 4182 | carriers 5 4183 | heated 5 4184 | ception 5 4185 | perhaps 5 4186 | ats 5 4187 | quarters 5 4188 | child 5 4189 | constitute 5 4190 | qualified 5 4191 | fyp 5 4192 | cohe@@ 5 4193 | thai 5 4194 | stimulate 5 4195 | nur@@ 5 4196 | dedic@@ 5 4197 | gradu@@ 5 4198 | ventures 5 4199 | staged 5 4200 | dissatisfaction 5 4201 | striking 5 4202 | index 5 4203 | % 5 4204 | irreplaceable 5 4205 | persu@@ 5 4206 | feasible 5 4207 | flew 5 4208 | lou@@ 5 4209 | automation 5 4210 | cour@@ 5 4211 | win@@ 5 4212 | chun 5 4213 | obtaining 5 4214 | grounds 5 4215 | banner 5 4216 | generated 5 4217 | aside 5 4218 | disturbances 5 4219 | damaged 5 4220 | absur@@ 5 4221 | ented 5 4222 | clo@@ 5 4223 | lofty 5 4224 | founded 5 4225 | aging 5 4226 | settle 5 4227 | reference 5 4228 | deser@@ 5 4229 | inner 5 4230 | class@@ 5 4231 | plus 5 4232 | deeper 5 4233 | representations 5 4234 | feet 5 4235 | allocation 5 4236 | somewhat 5 4237 | similarly 5 4238 | ignored 5 4239 | ra@@ 5 4240 | detailed 5 4241 | ery 5 4242 | appearance 5 4243 | father 5 4244 | honest 5 4245 | producers 5 4246 | pays 5 4247 | knew 5 4248 | xuanping 5 4249 | hearings 5 4250 | splendid 5 4251 | occasion 5 4252 | gradual 5 4253 | hong@@ 5 4254 | corporate 5 4255 | unhealthy 5 4256 | eless 5 4257 | asia-europe 5 4258 | dam@@ 5 4259 | land@@ 5 4260 | accumul@@ 5 4261 | wholeheartedly 5 4262 | tures 5 4263 | ama 5 4264 | az@@ 5 4265 | inflation 5 4266 | sponsored 5 4267 | encounter 5 4268 | 95 5 4269 | successively 5 4270 | boosting 5 4271 | democrats 5 4272 | 8.@@ 5 4273 | hatred 5 4274 | opponent 5 4275 | deliberately 5 4276 | 2002 5 4277 | if@@ 5 4278 | argentina 5 4279 | kil@@ 5 4280 | god 5 4281 | vo@@ 5 4282 | canadian 5 4283 | ming@@ 5 4284 | literary 5 4285 | ned 5 4286 | cheng@@ 5 4287 | turkey 5 4288 | endang@@ 5 4289 | cambodian 5 4290 | reg@@ 5 4291 | subhead 5 4292 | yev 5 4293 | my@@ 5 4294 | 196@@ 5 4295 | correspon@@ 5 4296 | catholic 5 4297 | imperi@@ 5 4298 | oring 5 4299 | apr 5 4300 | headquarters 5 4301 | indefinitely 5 4302 | forge 5 4303 | soviet 5 4304 | burg 5 4305 | temperature 4 4306 | ugly 4 4307 | evidence 4 4308 | respond 4 4309 | manufacturers 4 4310 | fry 4 4311 | eur@@ 4 4312 | ash@@ 4 4313 | master@@ 4 4314 | berger 4 4315 | atory 4 4316 | arily 4 4317 | inevitable 4 4318 | yongyang 4 4319 | obsessed 4 4320 | giant 4 4321 | fying 4 4322 | villagers 4 4323 | tations 4 4324 | preliminary 4 4325 | discipl@@ 4 4326 | devote 4 4327 | busy 4 4328 | intervene 4 4329 | amoun@@ 4 4330 | 63 4 4331 | dri@@ 4 4332 | tran 4 4333 | the-@@ 4 4334 | warned 4 4335 | hospitality 4 4336 | dle 4 4337 | tele@@ 4 4338 | upper 4 4339 | 62 4 4340 | collect 4 4341 | gui@@ 4 4342 | co-@@ 4 4343 | title 4 4344 | color 4 4345 | chairmen 4 4346 | vic 4 4347 | speeches 4 4348 | brief 4 4349 | reformed 4 4350 | efully 4 4351 | empty 4 4352 | permission 4 4353 | available 4 4354 | vocational 4 4355 | focusing 4 4356 | 24@@ 4 4357 | ound 4 4358 | affir@@ 4 4359 | civilian-run 4 4360 | competent 4 4361 | satisfactorily 4 4362 | --@@ 4 4363 | 55 4 4364 | micro@@ 4 4365 | charter 4 4366 | sequ@@ 4 4367 | deep-@@ 4 4368 | vac@@ 4 4369 | mobility 4 4370 | contributed 4 4371 | educate 4 4372 | glad 4 4373 | receiving 4 4374 | premi@@ 4 4375 | authoritative 4 4376 | en-@@ 4 4377 | congratul@@ 4 4378 | cent 4 4379 | hostile 4 4380 | suspects 4 4381 | bility 4 4382 | well-off 4 4383 | ko 4 4384 | rooted 4 4385 | oriented 4 4386 | bloc@@ 4 4387 | los 4 4388 | preparation 4 4389 | gratifying 4 4390 | govern@@ 4 4391 | strained 4 4392 | sy@@ 4 4393 | cheap 4 4394 | bidding 4 4395 | encouraged 4 4396 | ation@@ 4 4397 | subjective 4 4398 | kore@@ 4 4399 | trac@@ 4 4400 | possibility 4 4401 | introduce 4 4402 | appreciated 4 4403 | asion 4 4404 | assault 4 4405 | dprk-@@ 4 4406 | gran@@ 4 4407 | supervise 4 4408 | judged 4 4409 | stood 4 4410 | exploring 4 4411 | issuance 4 4412 | budgetary 4 4413 | compu@@ 4 4414 | hol@@ 4 4415 | dragged 4 4416 | conversation 4 4417 | fraud 4 4418 | asking 4 4419 | distinc@@ 4 4420 | ger 4 4421 | joint-@@ 4 4422 | possessed 4 4423 | arrive 4 4424 | allevi@@ 4 4425 | minorities 4 4426 | colonial 4 4427 | 27@@ 4 4428 | loc@@ 4 4429 | tone 4 4430 | embar@@ 4 4431 | standardized 4 4432 | yang@@ 4 4433 | aggrav@@ 4 4434 | pon@@ 4 4435 | americ@@ 4 4436 | named 4 4437 | zhongnanhai 4 4438 | alger@@ 4 4439 | impe@@ 4 4440 | a-china 4 4441 | acquired 4 4442 | touching 4 4443 | republicans 4 4444 | harmed 4 4445 | ear@@ 4 4446 | size 4 4447 | self-confidence 4 4448 | vessels 4 4449 | monitor 4 4450 | processing 4 4451 | eve 4 4452 | vladimir 4 4453 | calcul@@ 4 4454 | rightwing 4 4455 | yugoslav 4 4456 | dictatorship 4 4457 | 52 4 4458 | accurate 4 4459 | med 4 4460 | progressive 4 4461 | cla@@ 4 4462 | lasted 4 4463 | stations 4 4464 | tanks 4 4465 | believing 4 4466 | persistent 4 4467 | falling 4 4468 | ud@@ 4 4469 | atic 4 4470 | sit 4 4471 | party-@@ 4 4472 | 44 4 4473 | shoulders 4 4474 | ton 4 4475 | root 4 4476 | uruguay 4 4477 | tenet 4 4478 | ve-@@ 4 4479 | multiple 4 4480 | shar@@ 4 4481 | je@@ 4 4482 | academics 4 4483 | proposing 4 4484 | appreciate 4 4485 | yohei 4 4486 | managerial 4 4487 | geographic 4 4488 | conservation 4 4489 | advis@@ 4 4490 | weather 4 4491 | suits 4 4492 | tor 4 4493 | elevate 4 4494 | ners 4 4495 | publications 4 4496 | hear 4 4497 | places 4 4498 | confron@@ 4 4499 | happiness 4 4500 | myself 4 4501 | des 4 4502 | ratification 4 4503 | indic@@ 4 4504 | attacking 4 4505 | flags 4 4506 | dates 4 4507 | continent 4 4508 | perfecting 4 4509 | bol@@ 4 4510 | exha@@ 4 4511 | agency 4 4512 | unexpectedly 4 4513 | gratitude 4 4514 | sino-african 4 4515 | reflection 4 4516 | violation 4 4517 | cent@@ 4 4518 | ger@@ 4 4519 | ures 4 4520 | mur@@ 4 4521 | checking 4 4522 | filled 4 4523 | milestone 4 4524 | textile 4 4525 | duc 4 4526 | fulfilled 4 4527 | hearts 4 4528 | purchasing 4 4529 | apolog@@ 4 4530 | boldly 4 4531 | cautious 4 4532 | 3,000 4 4533 | reinforcing 4 4534 | bla@@ 4 4535 | consequence 4 4536 | frontline 4 4537 | employ 4 4538 | assisting 4 4539 | dropped 4 4540 | hungary 4 4541 | painstaking 4 4542 | bered 4 4543 | back@@ 4 4544 | les 4 4545 | assum@@ 4 4546 | oce@@ 4 4547 | machin@@ 4 4548 | convening 4 4549 | thu@@ 4 4550 | no-@@ 4 4551 | erad@@ 4 4552 | expect 4 4553 | icating 4 4554 | comparison 4 4555 | switzerland 4 4556 | third-generation 4 4557 | confronted 4 4558 | ints 4 4559 | sentenced 4 4560 | ets 4 4561 | guangxi 4 4562 | greenhouse 4 4563 | artistic 4 4564 | ignorance 4 4565 | transmission 4 4566 | circum@@ 4 4567 | possesses 4 4568 | computers 4 4569 | ao@@ 4 4570 | belongs 4 4571 | oming 4 4572 | multi-@@ 4 4573 | proletarian 4 4574 | chan 4 4575 | all-army 4 4576 | dness 4 4577 | governmental 4 4578 | refu@@ 4 4579 | monument 4 4580 | bills 4 4581 | latin 4 4582 | mental 4 4583 | constitu@@ 4 4584 | tertiary 4 4585 | accumulated 4 4586 | essi@@ 4 4587 | servants 4 4588 | compromise 4 4589 | temporary 4 4590 | enjoying 4 4591 | accomplishment 4 4592 | waging 4 4593 | ushering 4 4594 | techniques 4 4595 | kyoto 4 4596 | recall 4 4597 | trafficking 4 4598 | o-@@ 4 4599 | expresses 4 4600 | rati@@ 4 4601 | middle-aged 4 4602 | fan@@ 4 4603 | discover 4 4604 | innocent 4 4605 | shu@@ 4 4606 | poses 4 4607 | autom@@ 4 4608 | prefectural 4 4609 | embodiment 4 4610 | spot 4 4611 | inspec@@ 4 4612 | emphasi@@ 4 4613 | shaking 4 4614 | environments 4 4615 | waste 4 4616 | tapping 4 4617 | strange 4 4618 | wit@@ 4 4619 | commun@@ 4 4620 | dare 4 4621 | biao 4 4622 | woo@@ 4 4623 | hot 4 4624 | congressional 4 4625 | blind 4 4626 | sewage 4 4627 | examined 4 4628 | arrogant 4 4629 | insisted 4 4630 | whenever 4 4631 | hardship 4 4632 | occupied 4 4633 | cultivating 4 4634 | zhen 4 4635 | / 4 4636 | strike-hard 4 4637 | attendance 4 4638 | anc@@ 4 4639 | gangchuan 4 4640 | cher@@ 4 4641 | on-line 4 4642 | troubles 4 4643 | simulation 4 4644 | 1980 4 4645 | conf@@ 4 4646 | absorb 4 4647 | balanced 4 4648 | assess 4 4649 | 53 4 4650 | issuing 4 4651 | altitude 4 4652 | forceful 4 4653 | arriving 4 4654 | oper@@ 4 4655 | suffering 4 4656 | attaining 4 4657 | thinks 4 4658 | mor@@ 4 4659 | fellow 4 4660 | yi@@ 4 4661 | shores 4 4662 | senator 4 4663 | story 4 4664 | communique 4 4665 | covered 4 4666 | advantageous 4 4667 | manifestations 4 4668 | publicizing 4 4669 | bil@@ 4 4670 | heart 4 4671 | subsidies 4 4672 | full-@@ 4 4673 | municipalities 4 4674 | quickening 4 4675 | publishing 4 4676 | approaching 4 4677 | manager 4 4678 | petroleum 4 4679 | ens 4 4680 | grams 4 4681 | quick 4 4682 | wing 4 4683 | post@@ 4 4684 | lag 4 4685 | sam 4 4686 | oned 4 4687 | removed 4 4688 | airs 4 4689 | broadcast 4 4690 | man-@@ 4 4691 | viewed 4 4692 | feels 4 4693 | essed 4 4694 | bi 4 4695 | consequently 4 4696 | long-range 4 4697 | rec@@ 4 4698 | conducts 4 4699 | tries 4 4700 | jinhua 4 4701 | decline 4 4702 | ferre@@ 4 4703 | file 4 4704 | judgement 4 4705 | sal@@ 4 4706 | edition 4 4707 | associated 4 4708 | ail@@ 4 4709 | hom@@ 4 4710 | declined 4 4711 | importing 4 4712 | signs 4 4713 | oct 4 4714 | deterrent 4 4715 | regularly 4 4716 | rumors 4 4717 | centered 4 4718 | restricted 4 4719 | val@@ 4 4720 | lan@@ 4 4721 | covenant 4 4722 | hanging 4 4723 | det@@ 4 4724 | entic@@ 4 4725 | vely 4 4726 | re 4 4727 | occupying 4 4728 | pentagon 4 4729 | facilitating 4 4730 | appears 4 4731 | 1979 4 4732 | pping 4 4733 | mix 4 4734 | adjustments 4 4735 | wil@@ 4 4736 | hab@@ 4 4737 | attributed 4 4738 | itage 4 4739 | person@@ 4 4740 | motives 4 4741 | silent 4 4742 | analyzing 4 4743 | ung-@@ 4 4744 | maritime 4 4745 | converti@@ 4 4746 | happ@@ 4 4747 | addicts 4 4748 | decision-making 4 4749 | passive 4 4750 | ectively 4 4751 | buddh@@ 4 4752 | minute 4 4753 | productivity 4 4754 | pretexts 4 4755 | types 4 4756 | flourishing 4 4757 | permitted 4 4758 | brunei 4 4759 | nationality 4 4760 | capitalist 4 4761 | shareholders 4 4762 | phy@@ 4 4763 | dai 4 4764 | remember 4 4765 | qing@@ 4 4766 | access 4 4767 | agu@@ 4 4768 | homage 4 4769 | writing 4 4770 | direc@@ 4 4771 | tre@@ 4 4772 | deb@@ 4 4773 | ing-@@ 4 4774 | stipulated 4 4775 | fang 4 4776 | izhou 4 4777 | secret 4 4778 | ying@@ 4 4779 | personalities 4 4780 | owned 4 4781 | cars 4 4782 | transition 4 4783 | supremacy 4 4784 | ight 4 4785 | contention 4 4786 | channel 4 4787 | sold 4 4788 | omni@@ 4 4789 | festival 4 4790 | fluctu@@ 4 4791 | minerals 4 4792 | ki 4 4793 | kha 4 4794 | ected 4 4795 | alism 4 4796 | tur@@ 4 4797 | all-china 4 4798 | tal 4 4799 | meat 4 4800 | rushed 4 4801 | sl@@ 4 4802 | nationalist 4 4803 | chris@@ 4 4804 | listen 4 4805 | amat 4 4806 | sihanouk 4 4807 | luong 4 4808 | wonder 4 4809 | earned 4 4810 | passage 4 4811 | nepal 4 4812 | summed 4 4813 | dispar@@ 4 4814 | embodied 4 4815 | pped 4 4816 | liaoning 4 4817 | alliances 4 4818 | lama 4 4819 | dawn 4 4820 | storms 4 4821 | unwilling 4 4822 | forging 4 4823 | tened 4 4824 | real@@ 4 4825 | bigger 4 4826 | bel@@ 4 4827 | applause 4 4828 | transport 4 4829 | information-@@ 4 4830 | presidents 4 4831 | eding 4 4832 | guest 4 4833 | continues 4 4834 | graduates 4 4835 | negl@@ 4 4836 | ballo@@ 4 4837 | insofar 4 4838 | high-technology 4 4839 | smart 4 4840 | unresolved 4 4841 | astr@@ 4 4842 | violate 4 4843 | commanders 4 4844 | div@@ 4 4845 | angles 4 4846 | ored 4 4847 | afghanistan 4 4848 | reorganized 4 4849 | lec@@ 4 4850 | intellectuals 4 4851 | humanity 4 4852 | uries 4 4853 | ensured 4 4854 | banned 4 4855 | yuanhua 4 4856 | secretaries 4 4857 | prohibited 4 4858 | traditionally 4 4859 | kh@@ 4 4860 | eliminated 4 4861 | tes 4 4862 | tong 4 4863 | uan 4 4864 | moun@@ 4 4865 | phieu 4 4866 | unnecessary 4 4867 | nia 4 4868 | violates 4 4869 | fees 4 4870 | valued 4 4871 | explanations 4 4872 | boo@@ 4 4873 | fierc@@ 4 4874 | cri@@ 4 4875 | floo@@ 4 4876 | mp@@ 4 4877 | enses 4 4878 | insti@@ 4 4879 | uttered 4 4880 | all-out 4 4881 | emerging 4 4882 | posing 4 4883 | supervisory 4 4884 | juncture 4 4885 | experiencing 4 4886 | repay 4 4887 | inferior 4 4888 | iron 4 4889 | deterior@@ 4 4890 | lin@@ 4 4891 | downs 4 4892 | -in-@@ 4 4893 | bas@@ 4 4894 | mag@@ 4 4895 | civil@@ 4 4896 | ty-@@ 4 4897 | deposit 4 4898 | wheat 4 4899 | anxious 4 4900 | -and-@@ 4 4901 | conscience 4 4902 | objects 4 4903 | cohen 4 4904 | azerbaijan 4 4905 | risk 4 4906 | bankruptcy 4 4907 | benefited 4 4908 | grim@@ 4 4909 | rostrum 4 4910 | fei 4 4911 | designed 4 4912 | needed 4 4913 | regre@@ 4 4914 | quiet 4 4915 | bj 4 4916 | conven@@ 4 4917 | ceased 4 4918 | remote 4 4919 | conforms 4 4920 | chengdu 4 4921 | separatism 4 4922 | previously 4 4923 | fa@@ 4 4924 | assur@@ 4 4925 | exagger@@ 4 4926 | ordered 4 4927 | importantly 4 4928 | reputation 4 4929 | sees 4 4930 | evasive 4 4931 | predic@@ 4 4932 | bian 4 4933 | undermining 4 4934 | donald 4 4935 | corrected 4 4936 | mingwei 4 4937 | schemes 4 4938 | heights 4 4939 | liable 4 4940 | ak 4 4941 | inseparable 4 4942 | posed 4 4943 | hon@@ 4 4944 | chuan 4 4945 | discrimination 4 4946 | comple@@ 4 4947 | uzbekistan 4 4948 | appointment 4 4949 | covers 4 4950 | grat@@ 4 4951 | funded 4 4952 | difference 4 4953 | conferred 4 4954 | considerable 4 4955 | simple 4 4956 | appraise 4 4957 | odd 4 4958 | unfold 4 4959 | low@@ 4 4960 | overriding 4 4961 | two-way 4 4962 | antisatellite 4 4963 | pil@@ 4 4964 | eth@@ 4 4965 | japanese-@@ 4 4966 | ho 4 4967 | certi@@ 4 4968 | vis@@ 4 4969 | receive 4 4970 | revolutionaries 4 4971 | pursues 4 4972 | turmoil 4 4973 | soe 4 4974 | assist 4 4975 | accompanying 4 4976 | secondary 4 4977 | northeast 4 4978 | design@@ 4 4979 | summarized 4 4980 | arrow 4 4981 | psychological 4 4982 | ten@@ 4 4983 | subj@@ 4 4984 | platform 4 4985 | apology 4 4986 | portion 4 4987 | obstruc@@ 4 4988 | cmc 4 4989 | ame 4 4990 | executed 4 4991 | hangzhou 4 4992 | broadcasting 4 4993 | backgrounds 4 4994 | english 4 4995 | fasc@@ 4 4996 | imperial 4 4997 | ack@@ 4 4998 | karimov 4 4999 | pir@@ 4 5000 | clique 4 5001 | chiefs 4 5002 | fran@@ 4 5003 | adequate 4 5004 | ongoing 4 5005 | vers 4 5006 | yen 4 5007 | us-china 4 5008 | explanation 4 5009 | del@@ 4 5010 | roles 4 5011 | famc 4 5012 | lic@@ 4 5013 | quantity 4 5014 | heigh@@ 4 5015 | sheng 4 5016 | 5,000 4 5017 | author 4 5018 | lands 4 5019 | harsh 4 5020 | kono 4 5021 | detachment 4 5022 | norms 4 5023 | enjoyed 4 5024 | mighty 4 5025 | threw 4 5026 | transportation 4 5027 | mideast 4 5028 | ain@@ 4 5029 | shr@@ 4 5030 | tor@@ 4 5031 | reliable 4 5032 | reviewing 4 5033 | band 4 5034 | usually 4 5035 | 47 4 5036 | modes 4 5037 | inspired 4 5038 | leaving 4 5039 | f-16 4 5040 | water@@ 4 5041 | ba@@ 4 5042 | excuse 4 5043 | parliamentary 4 5044 | notes 4 5045 | ury 4 5046 | ceremon@@ 4 5047 | flood 4 5048 | kn@@ 4 5049 | attracting 4 5050 | scenes 4 5051 | hotel 4 5052 | decreas@@ 4 5053 | educating 4 5054 | ines 4 5055 | expenses 4 5056 | flexible 4 5057 | factions 4 5058 | dimensional 4 5059 | intense 4 5060 | inappropriate 4 5061 | unions 4 5062 | shan@@ 4 5063 | proactive 4 5064 | burn 4 5065 | blocked 4 5066 | la 4 5067 | schroeder 4 5068 | tar@@ 4 5069 | vicious 4 5070 | tianjin 4 5071 | respon@@ 4 5072 | ju@@ 4 5073 | missions 4 5074 | robinson 4 5075 | ther 4 5076 | yong@@ 4 5077 | forcing 4 5078 | unchanged 4 5079 | reiterate 4 5080 | wider 4 5081 | ported 4 5082 | upgrade 4 5083 | furthering 4 5084 | optimistic 4 5085 | quanyou 4 5086 | aides 4 5087 | 21@@ 4 5088 | patriotism 4 5089 | lately 4 5090 | superior 4 5091 | extradition 4 5092 | arch@@ 4 5093 | luncheon 4 5094 | instruments 4 5095 | prestige 4 5096 | salvage 4 5097 | conscientious 4 5098 | native 4 5099 | ceas@@ 4 5100 | deflation 4 5101 | logical 4 5102 | jud@@ 4 5103 | convenient 4 5104 | crops 4 5105 | yunnan 4 5106 | comment@@ 4 5107 | drop 4 5108 | emancipated 4 5109 | killing 4 5110 | 11th 4 5111 | angang 4 5112 | laboratory 4 5113 | adviser 4 5114 | employed 4 5115 | pri@@ 4 5116 | stories 4 5117 | soldier 4 5118 | sports 4 5119 | ko@@ 4 5120 | maj@@ 4 5121 | emancipating 4 5122 | comment 4 5123 | bal@@ 4 5124 | hour 4 5125 | offer 4 5126 | ades 4 5127 | extending 4 5128 | mac@@ 4 5129 | farther 4 5130 | seized 4 5131 | waiting 4 5132 | atically 4 5133 | except 4 5134 | laun@@ 4 5135 | backbone 4 5136 | ranked 4 5137 | bump@@ 4 5138 | defe@@ 4 5139 | cai 4 5140 | tighten 4 5141 | pat@@ 4 5142 | hes 4 5143 | 20,000 4 5144 | chaotic 4 5145 | don 4 5146 | ib@@ 4 5147 | unilateralism 4 5148 | obj@@ 4 5149 | thrust 4 5150 | exchanging 4 5151 | promo@@ 3 5152 | benefici@@ 3 5153 | meters 3 5154 | bar 3 5155 | jr 3 5156 | chair@@ 3 5157 | disappointed 3 5158 | finan@@ 3 5159 | reservoir 3 5160 | cat@@ 3 5161 | 4,@@ 3 5162 | illness 3 5163 | adopts 3 5164 | fabric@@ 3 5165 | us-british 3 5166 | strategically 3 5167 | moroccan 3 5168 | japan-@@ 3 5169 | admit 3 5170 | steel 3 5171 | enriched 3 5172 | 1954 3 5173 | preci@@ 3 5174 | noteworthy 3 5175 | withdrawal 3 5176 | for-@@ 3 5177 | impose 3 5178 | ours 3 5179 | sudden 3 5180 | denounced 3 5181 | duma 3 5182 | demanded 3 5183 | shih-pao 3 5184 | french 3 5185 | fair@@ 3 5186 | adjust 3 5187 | fang@@ 3 5188 | qin 3 5189 | camp 3 5190 | pi@@ 3 5191 | plat@@ 3 5192 | experiment 3 5193 | unremittingly 3 5194 | ignoring 3 5195 | sri 3 5196 | medium-@@ 3 5197 | cancel 3 5198 | broadening 3 5199 | democratization 3 5200 | copyright 3 5201 | keen 3 5202 | iled 3 5203 | jesse 3 5204 | zhuang 3 5205 | curbing 3 5206 | wpk 3 5207 | resuming 3 5208 | manifested 3 5209 | circuits 3 5210 | seats 3 5211 | tisan 3 5212 | frigh@@ 3 5213 | fbi 3 5214 | assign 3 5215 | ass 3 5216 | strated 3 5217 | vividly 3 5218 | else 3 5219 | bao@@ 3 5220 | plateau 3 5221 | alu@@ 3 5222 | teenagers 3 5223 | cry@@ 3 5224 | plots 3 5225 | que 3 5226 | banners 3 5227 | reaches 3 5228 | earth 3 5229 | touched 3 5230 | flaun@@ 3 5231 | purposes 3 5232 | observation 3 5233 | secretly 3 5234 | resettling 3 5235 | conservancy 3 5236 | analyst 3 5237 | five-nation 3 5238 | endation 3 5239 | earthqua@@ 3 5240 | socialized 3 5241 | bran@@ 3 5242 | charged 3 5243 | pur@@ 3 5244 | users 3 5245 | ianism 3 5246 | construct 3 5247 | intergovernmental 3 5248 | privately-run 3 5249 | ta 3 5250 | hosting 3 5251 | locked 3 5252 | kadena 3 5253 | hous@@ 3 5254 | hun@@ 3 5255 | jr. 3 5256 | editor 3 5257 | envoy 3 5258 | saving 3 5259 | disc@@ 3 5260 | concl@@ 3 5261 | spokesperson 3 5262 | standardization 3 5263 | entities 3 5264 | auto 3 5265 | battal@@ 3 5266 | dum@@ 3 5267 | legislators 3 5268 | believers 3 5269 | blame 3 5270 | covert 3 5271 | realms 3 5272 | patents 3 5273 | frag@@ 3 5274 | colonel 3 5275 | plotted 3 5276 | dismissed 3 5277 | materialism 3 5278 | specially 3 5279 | commended 3 5280 | 30@@ 3 5281 | iding 3 5282 | garris@@ 3 5283 | deta@@ 3 5284 | blue 3 5285 | taiwan-funded 3 5286 | consumers 3 5287 | expense 3 5288 | treasure 3 5289 | cogn@@ 3 5290 | acti@@ 3 5291 | tru@@ 3 5292 | unlike 3 5293 | fixed@@ 3 5294 | execute 3 5295 | ter-@@ 3 5296 | sino-foreign 3 5297 | seat 3 5298 | transparent 3 5299 | provocation 3 5300 | holes 3 5301 | farce 3 5302 | ushed 3 5303 | check 3 5304 | system@@ 3 5305 | ately 3 5306 | blueprints 3 5307 | deadlock 3 5308 | voted 3 5309 | cooperate 3 5310 | recei@@ 3 5311 | erly 3 5312 | prospecting 3 5313 | thoughts 3 5314 | ders 3 5315 | evol@@ 3 5316 | cer@@ 3 5317 | candidate 3 5318 | barriers 3 5319 | regulate 3 5320 | ner 3 5321 | quan 3 5322 | -bound 3 5323 | resumed 3 5324 | attributes 3 5325 | stant 3 5326 | officially 3 5327 | reply 3 5328 | consid@@ 3 5329 | equity 3 5330 | lenin 3 5331 | dialectic 3 5332 | folk 3 5333 | collecting 3 5334 | yin@@ 3 5335 | endor@@ 3 5336 | test-@@ 3 5337 | celebrating 3 5338 | ou 3 5339 | predicament 3 5340 | investig@@ 3 5341 | complexity 3 5342 | declare 3 5343 | che 3 5344 | acted 3 5345 | isol@@ 3 5346 | seg@@ 3 5347 | colombia 3 5348 | extrem@@ 3 5349 | stone 3 5350 | resulting 3 5351 | offic@@ 3 5352 | ploy@@ 3 5353 | shipping 3 5354 | practitioner 3 5355 | arsen@@ 3 5356 | favored 3 5357 | maturity 3 5358 | parking 3 5359 | dging 3 5360 | usion 3 5361 | meant 3 5362 | pop@@ 3 5363 | sub-@@ 3 5364 | enthusiastically 3 5365 | aver@@ 3 5366 | sought 3 5367 | baltic 3 5368 | declining 3 5369 | rowed 3 5370 | sical 3 5371 | advocacy 3 5372 | certification 3 5373 | contain 3 5374 | neglect 3 5375 | commenting 3 5376 | brook 3 5377 | youth 3 5378 | closest 3 5379 | operated 3 5380 | ense 3 5381 | hop@@ 3 5382 | 35 3 5383 | miles 3 5384 | routine 3 5385 | thrown 3 5386 | purchases 3 5387 | mid-march 3 5388 | brea@@ 3 5389 | gross 3 5390 | prevented 3 5391 | dealers 3 5392 | armored 3 5393 | brains 3 5394 | briber@@ 3 5395 | shanxi 3 5396 | competitions 3 5397 | advertising 3 5398 | grass@@ 3 5399 | farewell 3 5400 | leaps 3 5401 | pioneering 3 5402 | ories 3 5403 | resignation 3 5404 | neu@@ 3 5405 | -year 3 5406 | poisoned 3 5407 | hastily 3 5408 | lower-@@ 3 5409 | multinational 3 5410 | corner@@ 3 5411 | holdings 3 5412 | marxism-leninism 3 5413 | statesman 3 5414 | dissemin@@ 3 5415 | emerge 3 5416 | faster 3 5417 | farces 3 5418 | po 3 5419 | fro@@ 3 5420 | sent@@ 3 5421 | 1950s 3 5422 | van 3 5423 | triggered 3 5424 | employees 3 5425 | vain 3 5426 | combining 3 5427 | tan@@ 3 5428 | 130 3 5429 | wavered 3 5430 | north@@ 3 5431 | cuts 3 5432 | cracked 3 5433 | themes 3 5434 | admits 3 5435 | destroyer 3 5436 | ethical 3 5437 | vill@@ 3 5438 | eight-@@ 3 5439 | unreasonable 3 5440 | respecting 3 5441 | options 3 5442 | slogan 3 5443 | 7.@@ 3 5444 | stayed 3 5445 | portugu@@ 3 5446 | neighborliness 3 5447 | pois@@ 3 5448 | transit 3 5449 | gotten 3 5450 | pic@@ 3 5451 | yielded 3 5452 | good-@@ 3 5453 | chilean 3 5454 | aka 3 5455 | harmonious 3 5456 | dispatch 3 5457 | revenues 3 5458 | hur@@ 3 5459 | stipulation 3 5460 | tens 3 5461 | reportedly 3 5462 | cool 3 5463 | italian 3 5464 | connotations 3 5465 | pted 3 5466 | -based 3 5467 | 28@@ 3 5468 | contacted 3 5469 | capit@@ 3 5470 | regulating 3 5471 | tionary 3 5472 | consciously 3 5473 | alternate 3 5474 | clearer 3 5475 | shock 3 5476 | res@@ 3 5477 | salient 3 5478 | dity 3 5479 | celebr@@ 3 5480 | spit 3 5481 | pro-taiwan 3 5482 | deli@@ 3 5483 | tting 3 5484 | entrusted 3 5485 | harmony 3 5486 | marg@@ 3 5487 | ff@@ 3 5488 | siveness 3 5489 | compens@@ 3 5490 | fog 3 5491 | sacrificing 3 5492 | causing 3 5493 | trained 3 5494 | adver@@ 3 5495 | yin 3 5496 | automated 3 5497 | reunified 3 5498 | steadfast 3 5499 | plur@@ 3 5500 | ging 3 5501 | macedonia 3 5502 | sake 3 5503 | conspiracy 3 5504 | 200@@ 3 5505 | ise 3 5506 | aly@@ 3 5507 | free@@ 3 5508 | online 3 5509 | spurring 3 5510 | symbol 3 5511 | clear-cut 3 5512 | haikou 3 5513 | counterpart 3 5514 | electr@@ 3 5515 | influences 3 5516 | misgivings 3 5517 | resorted 3 5518 | changqing 3 5519 | strenuous 3 5520 | ancing 3 5521 | jur@@ 3 5522 | conferences 3 5523 | predict 3 5524 | peiyan 3 5525 | woman 3 5526 | asi@@ 3 5527 | inquired 3 5528 | courage 3 5529 | appro@@ 3 5530 | assad 3 5531 | preface 3 5532 | institu@@ 3 5533 | victories 3 5534 | announcing 3 5535 | unanimously 3 5536 | collapse 3 5537 | aggres@@ 3 5538 | ya 3 5539 | herdsmen 3 5540 | q 3 5541 | anni@@ 3 5542 | creative 3 5543 | blindly 3 5544 | undecided 3 5545 | northwest 3 5546 | exhib@@ 3 5547 | top@@ 3 5548 | tourist 3 5549 | detector 3 5550 | ju 3 5551 | parliamentarians 3 5552 | commodities 3 5553 | japan-us 3 5554 | 32 3 5555 | patrol 3 5556 | unhappy 3 5557 | drill 3 5558 | politici@@ 3 5559 | mit@@ 3 5560 | authors 3 5561 | sson 3 5562 | arly 3 5563 | norm@@ 3 5564 | east@@ 3 5565 | z 3 5566 | attempted 3 5567 | observer 3 5568 | brothers 3 5569 | shore 3 5570 | infiltration 3 5571 | anian 3 5572 | bureaucratism 3 5573 | burma 3 5574 | manship 3 5575 | ordin@@ 3 5576 | mineral 3 5577 | tle 3 5578 | alists 3 5579 | hegemony 3 5580 | revitalization 3 5581 | insist 3 5582 | bomb 3 5583 | specialists 3 5584 | legqog 3 5585 | inund@@ 3 5586 | ped 3 5587 | deci@@ 3 5588 | criticize 3 5589 | int 3 5590 | balkans 3 5591 | resid@@ 3 5592 | mix@@ 3 5593 | betr@@ 3 5594 | star@@ 3 5595 | poland 3 5596 | afghan 3 5597 | forefront 3 5598 | indiscrimin@@ 3 5599 | duan 3 5600 | ung@@ 3 5601 | assured 3 5602 | remaining 3 5603 | gao@@ 3 5604 | parti@@ 3 5605 | verted 3 5606 | clim@@ 3 5607 | popularization 3 5608 | arbitrary 3 5609 | id 3 5610 | hood 3 5611 | zaixi 3 5612 | antiaircraft 3 5613 | suspension 3 5614 | pin 3 5615 | applying 3 5616 | vague 3 5617 | likes 3 5618 | publicly 3 5619 | convened 3 5620 | sick 3 5621 | astronau@@ 3 5622 | ningxia 3 5623 | distortions 3 5624 | notice 3 5625 | benevolence 3 5626 | websites 3 5627 | solely 3 5628 | hun 3 5629 | insists 3 5630 | benign 3 5631 | calmly 3 5632 | visitors 3 5633 | mirage 3 5634 | medicine 3 5635 | ranch 3 5636 | procedure 3 5637 | protracted 3 5638 | realities 3 5639 | argument 3 5640 | lai 3 5641 | delayed 3 5642 | searching 3 5643 | partial 3 5644 | brave 3 5645 | verified 3 5646 | accusations 3 5647 | driven 3 5648 | strives 3 5649 | rejected 3 5650 | distance 3 5651 | cuo 3 5652 | indign@@ 3 5653 | rank 3 5654 | persecution 3 5655 | insider 3 5656 | -breaking 3 5657 | wreath 3 5658 | lpcwp 3 5659 | consolidation 3 5660 | spared 3 5661 | count 3 5662 | vigilant 3 5663 | celestial 3 5664 | 2,000 3 5665 | researching 3 5666 | lawyers 3 5667 | deploying 3 5668 | provoke 3 5669 | cy 3 5670 | diehard 3 5671 | sudanese 3 5672 | 6,599 3 5673 | ef@@ 3 5674 | keeps 3 5675 | third-step 3 5676 | possi@@ 3 5677 | rampant 3 5678 | embodies 3 5679 | consecutive 3 5680 | arab@@ 3 5681 | retired 3 5682 | tt@@ 3 5683 | ousness 3 5684 | fru@@ 3 5685 | coping 3 5686 | bou@@ 3 5687 | sinister 3 5688 | manag@@ 3 5689 | hear@@ 3 5690 | ris@@ 3 5691 | prudent 3 5692 | evade 3 5693 | fallacies 3 5694 | vanguard 3 5695 | fill 3 5696 | loyal 3 5697 | 36.@@ 3 5698 | eable 3 5699 | scholarship 3 5700 | relax 3 5701 | appearing 3 5702 | needless 3 5703 | daw@@ 3 5704 | special@@ 3 5705 | tionally 3 5706 | extra@@ 3 5707 | obstacle 3 5708 | broadcasts 3 5709 | mounted 3 5710 | peace-loving 3 5711 | intermediary 3 5712 | ine@@ 3 5713 | announcement 3 5714 | dollar 3 5715 | kang@@ 3 5716 | condemned 3 5717 | hil@@ 3 5718 | 9.7 3 5719 | brand-new 3 5720 | safe 3 5721 | cro@@ 3 5722 | substance 3 5723 | bris@@ 3 5724 | hill@@ 3 5725 | tip 3 5726 | restore 3 5727 | s--@@ 3 5728 | di 3 5729 | presently 3 5730 | coasts 3 5731 | examining 3 5732 | essing 3 5733 | shell 3 5734 | contribu@@ 3 5735 | yongkang 3 5736 | supervisors 3 5737 | rooms 3 5738 | 9.@@ 3 5739 | mechan@@ 3 5740 | clamor 3 5741 | chose 3 5742 | meantime 3 5743 | polarization 3 5744 | propelling 3 5745 | assessment 3 5746 | neighborly 3 5747 | legisl@@ 3 5748 | excep@@ 3 5749 | movements 3 5750 | hack@@ 3 5751 | widened 3 5752 | dil@@ 3 5753 | ficial 3 5754 | developmental 3 5755 | interested 3 5756 | oning 3 5757 | encroach 3 5758 | chief@@ 3 5759 | brus@@ 3 5760 | struggled 3 5761 | comeback 3 5762 | hast@@ 3 5763 | sors 3 5764 | neighbor@@ 3 5765 | graded 3 5766 | occup@@ 3 5767 | couple 3 5768 | ammunition 3 5769 | satisfy 3 5770 | plac@@ 3 5771 | statistical 3 5772 | ov 3 5773 | borne 3 5774 | pertinent 3 5775 | canceled 3 5776 | ranking 3 5777 | hsi@@ 3 5778 | tragedies 3 5779 | chunyun 3 5780 | soun@@ 3 5781 | amending 3 5782 | shui-@@ 3 5783 | sup@@ 3 5784 | eradicate 3 5785 | tieying 3 5786 | helicopters 3 5787 | successor 3 5788 | ulterior 3 5789 | communism 3 5790 | buying 3 5791 | eloqu@@ 3 5792 | buhe 3 5793 | code 3 5794 | centralized 3 5795 | evoked 3 5796 | 1,000 3 5797 | salt 3 5798 | uss 3 5799 | applied 3 5800 | gro@@ 3 5801 | proceeded 3 5802 | featuring 3 5803 | investigate 3 5804 | districts 3 5805 | ir 3 5806 | land-@@ 3 5807 | ham@@ 3 5808 | cards 3 5809 | opposite 3 5810 | injured 3 5811 | races 3 5812 | diligently 3 5813 | leftists 3 5814 | offering 3 5815 | expressions 3 5816 | intensity 3 5817 | on-going 3 5818 | ai-@@ 3 5819 | roman@@ 3 5820 | non-ruling 3 5821 | wi@@ 3 5822 | admi@@ 3 5823 | machine 3 5824 | zhenghua 3 5825 | beach 3 5826 | shake 3 5827 | oner 3 5828 | recession 3 5829 | happens 3 5830 | brigade 3 5831 | xi@@ 3 5832 | lan 3 5833 | likewise 3 5834 | sem@@ 3 5835 | phan 3 5836 | mitting 3 5837 | insist@@ 3 5838 | centers 3 5839 | independently 3 5840 | ational 3 5841 | cement 3 5842 | policy-@@ 3 5843 | capitalists 3 5844 | strang@@ 3 5845 | groundless 3 5846 | staunch 3 5847 | gree@@ 3 5848 | stipulate 3 5849 | simulated 3 5850 | methodology 3 5851 | zha@@ 3 5852 | influential 3 5853 | wells 3 5854 | halt 3 5855 | yoshiro 3 5856 | jiang@@ 3 5857 | squarely 3 5858 | dynamite 3 5859 | tanaka 3 5860 | block 3 5861 | failing 3 5862 | considerations 3 5863 | here@@ 3 5864 | convictions 3 5865 | confirmed 3 5866 | vic@@ 3 5867 | croatia 3 5868 | gol@@ 3 5869 | clear-@@ 3 5870 | ep-3 3 5871 | zhong@@ 3 5872 | distort 3 5873 | read@@ 3 5874 | forests 3 5875 | connected 3 5876 | palestinians 3 5877 | indicate 3 5878 | stan@@ 3 5879 | stret@@ 3 5880 | blockade 3 5881 | ishes 3 5882 | emplo@@ 3 5883 | bing@@ 3 5884 | explain 3 5885 | australia 3 5886 | fund-@@ 3 5887 | yardstick 3 5888 | dings 3 5889 | maneuver 3 5890 | pack@@ 3 5891 | harve@@ 3 5892 | sorry 3 5893 | resort 3 5894 | display 3 5895 | enly 3 5896 | cle@@ 3 5897 | black 3 5898 | bubble 3 5899 | ath@@ 3 5900 | predicaments 3 5901 | kinmen 3 5902 | manufactured 3 5903 | incur@@ 3 5904 | choo@@ 3 5905 | celebration 3 5906 | affects 3 5907 | yushun 3 5908 | poverty-stricken 3 5909 | mini 3 5910 | tian@@ 3 5911 | compiling 3 5912 | epoch-making 3 5913 | exemp@@ 3 5914 | orig@@ 3 5915 | bs 3 5916 | confronting 3 5917 | entials 3 5918 | publicize 3 5919 | narrow 3 5920 | mongol@@ 3 5921 | urgently 3 5922 | homicide 3 5923 | colli@@ 3 5924 | liquidation 3 5925 | bra@@ 3 5926 | constellation 3 5927 | panel 3 5928 | dep@@ 3 5929 | inspections 3 5930 | musharraf 3 5931 | 3-@@ 3 5932 | celebrate 3 5933 | abundant 3 5934 | bit 3 5935 | virtually 3 5936 | exact 3 5937 | lags 3 5938 | aired 3 5939 | popular@@ 3 5940 | qatar 3 5941 | approach@@ 3 5942 | cass 3 5943 | worsening 3 5944 | authorized 3 5945 | modernized 3 5946 | theses 3 5947 | insufficient 3 5948 | onic 3 5949 | tested 3 5950 | jinlong 3 5951 | changting 3 5952 | quota 3 5953 | execution 3 5954 | less@@ 3 5955 | distorted 3 5956 | qiaomu 3 5957 | swe@@ 3 5958 | description 3 5959 | mozambique 3 5960 | withstood 3 5961 | delighted 3 5962 | ectivism 3 5963 | decor@@ 3 5964 | potato 3 5965 | anguo 3 5966 | obstruct 3 5967 | militarist 3 5968 | value-added 3 5969 | ministries 3 5970 | sor@@ 3 5971 | cha@@ 3 5972 | hw 3 5973 | daohan 3 5974 | wait 3 5975 | investigations 3 5976 | propag@@ 3 5977 | delay 3 5978 | radi@@ 3 5979 | lun@@ 3 5980 | aug@@ 3 5981 | son@@ 3 5982 | xu@@ 3 5983 | sm@@ 3 5984 | harnessing 3 5985 | interceptor 3 5986 | armenian 3 5987 | braz@@ 3 5988 | embody 3 5989 | uncovered 3 5990 | ancy 3 5991 | disrupted 3 5992 | cast 3 5993 | sharp 3 5994 | tells 3 5995 | stern 3 5996 | procur@@ 3 5997 | ideologically 3 5998 | prof@@ 3 5999 | hundreds 3 6000 | vering 3 6001 | chment 3 6002 | exped@@ 3 6003 | songs 3 6004 | overcoming 3 6005 | define 3 6006 | logic 3 6007 | patriot 3 6008 | concentration 3 6009 | ilan 3 6010 | huang@@ 3 6011 | anytime 3 6012 | commemorative 3 6013 | reading 3 6014 | postponed 3 6015 | ey 3 6016 | oppression 3 6017 | foreseeable 3 6018 | yuan-tseh 3 6019 | chechen 3 6020 | inspir@@ 3 6021 | arrog@@ 3 6022 | voters 3 6023 | walked 3 6024 | lam 3 6025 | ivanov 3 6026 | aires 3 6027 | qiang 3 6028 | pleas@@ 3 6029 | ants 3 6030 | widening 3 6031 | spare 3 6032 | demonstrate 3 6033 | accurately 3 6034 | ght 3 6035 | cyprus 3 6036 | ological 3 6037 | propose 3 6038 | hara 3 6039 | egypt 3 6040 | xes 3 6041 | sino-indian 3 6042 | truck 3 6043 | trampled 3 6044 | ects 3 6045 | dr. 3 6046 | readjustments 3 6047 | constitutional 3 6048 | withdrew 3 6049 | leaking 3 6050 | improvements 3 6051 | ushered 3 6052 | exercis@@ 3 6053 | gnp 3 6054 | progressing 3 6055 | pictures 3 6056 | assessments 3 6057 | gains 3 6058 | adep@@ 3 6059 | suggestion 3 6060 | med@@ 3 6061 | youngsters 3 6062 | angdi 3 6063 | guangen 3 6064 | clad 3 6065 | preceding 3 6066 | iceland 3 6067 | conqu@@ 3 6068 | begins 3 6069 | lawyer 3 6070 | transporting 3 6071 | pass@@ 3 6072 | atively 3 6073 | appreciates 3 6074 | dra@@ 3 6075 | emancipate 3 6076 | shaomin 3 6077 | route 3 6078 | anim@@ 3 6079 | affiliated 3 6080 | st-@@ 3 6081 | fuel 3 6082 | remar@@ 3 6083 | urging 3 6084 | valent 3 6085 | inter-party 3 6086 | laborers 3 6087 | chance 3 6088 | heng 3 6089 | ured 3 6090 | literature 3 6091 | zhang@@ 3 6092 | assistant 3 6093 | tw@@ 3 6094 | morocco 3 6095 | comb@@ 3 6096 | flow 3 6097 | confisc@@ 3 6098 | possessing 3 6099 | refrain 3 6100 | rua 3 6101 | claiming 3 6102 | nar@@ 3 6103 | clashes 3 6104 | peacetime 3 6105 | ified 3 6106 | reviewed 3 6107 | awaiting 3 6108 | lingshui 3 6109 | consulate 3 6110 | 00 3 6111 | aught 3 6112 | psychology 3 6113 | mining 3 6114 | vez 3 6115 | fan 3 6116 | fire@@ 3 6117 | falls 3 6118 | jinan 3 6119 | enforce 3 6120 | gravity 3 6121 | forthcoming 3 6122 | year-old 3 6123 | defined 3 6124 | loss 3 6125 | normally 3 6126 | egyptian 3 6127 | kingdom 3 6128 | delivery 3 6129 | edi@@ 3 6130 | totaled 3 6131 | crises 3 6132 | category 3 6133 | guaranteed 3 6134 | cease-fire 3 6135 | manpower 3 6136 | lawful 3 6137 | tool 3 6138 | abandon 3 6139 | ups 3 6140 | aren 3 6141 | shoddy 3 6142 | ss 3 6143 | rep@@ 3 6144 | undergo 3 6145 | ices 3 6146 | health@@ 3 6147 | fia 3 6148 | landed 3 6149 | engine@@ 3 6150 | unavoidable 3 6151 | 400 3 6152 | successive 3 6153 | tual 3 6154 | intensive 3 6155 | street 3 6156 | kind-hearted 3 6157 | backyard 3 6158 | han@@ 3 6159 | reaching 3 6160 | unstable 3 6161 | pione@@ 3 6162 | unite 3 6163 | doctrine 3 6164 | refusing 3 6165 | ore 3 6166 | sabotage 3 6167 | fish@@ 3 6168 | any@@ 3 6169 | 1989 3 6170 | 57th 3 6171 | atomic 3 6172 | intended 3 6173 | four-point 3 6174 | tured 3 6175 | registration 3 6176 | angeles 3 6177 | inspect 3 6178 | ideal 3 6179 | quantities 3 6180 | narayanan 3 6181 | ever-@@ 3 6182 | interactions 3 6183 | blat@@ 3 6184 | succession 3 6185 | concession 3 6186 | iable 3 6187 | remold 3 6188 | music 3 6189 | locom@@ 3 6190 | bombers 3 6191 | relative 3 6192 | imagine 3 6193 | acqu@@ 3 6194 | stabilize 3 6195 | preparing 3 6196 | akes 3 6197 | railways 3 6198 | 64@@ 3 6199 | lively 3 6200 | defended 3 6201 | cot@@ 3 6202 | ions 3 6203 | answers 3 6204 | adjusting 3 6205 | accommodate 3 6206 | practiced 3 6207 | firing 3 6208 | kan 3 6209 | fundament@@ 3 6210 | categories 3 6211 | ane@@ 3 6212 | emper@@ 3 6213 | nobody 3 6214 | solemnly 3 6215 | 2nd 3 6216 | worrying 3 6217 | nation@@ 3 6218 | ases 3 6219 | bottom 3 6220 | concessions 3 6221 | pho@@ 3 6222 | holbrooke 3 6223 | survi@@ 3 6224 | railway 3 6225 | list 3 6226 | estate 3 6227 | compris@@ 3 6228 | sufficiently 3 6229 | tion@@ 3 6230 | itions 3 6231 | favor@@ 3 6232 | iron@@ 3 6233 | reorganization 3 6234 | hero@@ 3 6235 | diplomats 3 6236 | contest 3 6237 | run@@ 3 6238 | leads 3 6239 | persist@@ 3 6240 | coc@@ 3 6241 | soar 3 6242 | proof 3 6243 | occur@@ 3 6244 | inable 3 6245 | municipality 3 6246 | temporarily 3 6247 | sale 3 6248 | valley 3 6249 | interviews 3 6250 | 1960 3 6251 | decade 3 6252 | sters 3 6253 | argu@@ 3 6254 | miracle 3 6255 | fic@@ 3 6256 | encour@@ 3 6257 | ong-@@ 3 6258 | lhasa 3 6259 | length 3 6260 | draf@@ 3 6261 | confederation 3 6262 | 5,000-@@ 3 6263 | missing 3 6264 | caught 3 6265 | bounden 3 6266 | dense 3 6267 | consciousness 3 6268 | expl@@ 3 6269 | diseases 3 6270 | iness 3 6271 | merge 3 6272 | aten 3 6273 | fostering 3 6274 | fine-tune 3 6275 | dual 3 6276 | magic 3 6277 | shui-pien 3 6278 | ements 3 6279 | dozen 3 6280 | acreage 3 6281 | distingu@@ 3 6282 | dupl@@ 3 6283 | revers@@ 3 6284 | kes 3 6285 | ili@@ 3 6286 | ails 3 6287 | legacies 3 6288 | otive 3 6289 | diam@@ 3 6290 | iis 3 6291 | lift 3 6292 | deceive 3 6293 | moldo@@ 3 6294 | containment 3 6295 | polar 3 6296 | splittism 3 6297 | gao 3 6298 | quo@@ 3 6299 | 900 3 6300 | alities 3 6301 | romania 3 6302 | barri@@ 3 6303 | plot 3 6304 | diver@@ 3 6305 | versity 3 6306 | shou@@ 3 6307 | spurred 3 6308 | appear 3 6309 | ues 3 6310 | versi@@ 3 6311 | xia@@ 3 6312 | ben@@ 3 6313 | cable 3 6314 | daughters 3 6315 | kas@@ 3 6316 | islamic 3 6317 | dialec@@ 3 6318 | acknowledged 3 6319 | agrees 3 6320 | dynam@@ 3 6321 | 1990s 3 6322 | gating 3 6323 | enters 3 6324 | adv@@ 3 6325 | sanya 3 6326 | chers 3 6327 | inscribed 3 6328 | straining 3 6329 | acks 3 6330 | lightening 3 6331 | sies 3 6332 | complained 3 6333 | ceremoniously 3 6334 | qual@@ 3 6335 | chongqing 3 6336 | alleg@@ 3 6337 | soul 3 6338 | promptly 3 6339 | varied 3 6340 | hesit@@ 3 6341 | elimination 3 6342 | harmful 3 6343 | accoun@@ 3 6344 | genuine 3 6345 | memb@@ 3 6346 | mubarak 3 6347 | constituted 3 6348 | bond 3 6349 | outdated 3 6350 | feed 3 6351 | arena 3 6352 | tony 3 6353 | import@@ 3 6354 | researchers 3 6355 | pieces 3 6356 | sino-eu 3 6357 | miss 3 6358 | sigh@@ 3 6359 | advances 3 6360 | after@@ 3 6361 | author@@ 3 6362 | extrac@@ 3 6363 | tides 3 6364 | shut 3 6365 | drug-@@ 3 6366 | wave 3 6367 | pull 3 6368 | foo@@ 3 6369 | readjusting 3 6370 | sit@@ 3 6371 | enlarg@@ 3 6372 | geneva 3 6373 | deadline 3 6374 | pressures 3 6375 | totaling 3 6376 | professors 3 6377 | 8.2 3 6378 | smashed 3 6379 | farm@@ 3 6380 | commissi@@ 3 6381 | obs@@ 3 6382 | sa@@ 3 6383 | human@@ 3 6384 | consolidating 3 6385 | 26.@@ 3 6386 | dc 3 6387 | readers 3 6388 | resentment 3 6389 | elab@@ 3 6390 | ared 3 6391 | mouth 3 6392 | tower 3 6393 | transmitted 3 6394 | conce@@ 3 6395 | claims 3 6396 | downward 3 6397 | endorsed 3 6398 | concei@@ 3 6399 | mr 3 6400 | luo@@ 3 6401 | clu@@ 3 6402 | color@@ 3 6403 | distinguished 3 6404 | analy@@ 3 6405 | introduction 3 6406 | speakers 3 6407 | loaded 3 6408 | liability 3 6409 | cred@@ 3 6410 | london 3 6411 | dished 3 6412 | weigh@@ 3 6413 | grade 3 6414 | obuchi 3 6415 | agents 3 6416 | wording 3 6417 | pu 3 6418 | gerhard 3 6419 | haw@@ 3 6420 | admir@@ 3 6421 | recovery 3 6422 | submit 3 6423 | stricken 3 6424 | sufferings 3 6425 | foresight 3 6426 | gging 3 6427 | install@@ 3 6428 | explicit 3 6429 | evaluate 3 6430 | ope@@ 3 6431 | gold 3 6432 | dealt 3 6433 | cies 3 6434 | honor@@ 3 6435 | liang 3 6436 | forcibly 3 6437 | debt-@@ 3 6438 | intercontinental 3 6439 | sighted 3 6440 | tightening 3 6441 | tense 3 6442 | ine-@@ 3 6443 | stoc@@ 3 6444 | qinglin 3 6445 | hostility 3 6446 | 90 3 6447 | lahore 3 6448 | signal 3 6449 | non-military 3 6450 | pro-@@ 3 6451 | rationality 3 6452 | pharmaceutical 3 6453 | toral 3 6454 | maxim@@ 3 6455 | lands@@ 3 6456 | sino-british 3 6457 | qiao 3 6458 | predecess@@ 3 6459 | gates 3 6460 | instability 3 6461 | tim@@ 3 6462 | ogu@@ 3 6463 | impeding 3 6464 | 1960s 3 6465 | ici@@ 3 6466 | ried 3 6467 | meter 3 6468 | blo@@ 3 6469 | indicator 3 6470 | treating 3 6471 | seeks 3 6472 | journalist 3 6473 | enlarged 3 6474 | canada 3 6475 | expan@@ 3 6476 | excessive 3 6477 | miti@@ 3 6478 | visa 3 6479 | enac@@ 3 6480 | lagging 3 6481 | emotions 3 6482 | mun@@ 3 6483 | aiding 3 6484 | xin@@ 3 6485 | student 3 6486 | undermined 3 6487 | 800 3 6488 | marks 3 6489 | ased 3 6490 | port@@ 3 6491 | ial 3 6492 | 23.@@ 3 6493 | necessarily 3 6494 | tobacco 3 6495 | jiangxi 3 6496 | beyond 3 6497 | sponsoring 3 6498 | classroom 3 6499 | convincing 3 6500 | dat@@ 3 6501 | candi@@ 3 6502 | dec 3 6503 | deliberate 3 6504 | guards 3 6505 | tless 3 6506 | veness 3 6507 | compatible 3 6508 | zes 3 6509 | residence 3 6510 | sino-rok 3 6511 | domes@@ 3 6512 | green@@ 3 6513 | whoever 3 6514 | harder 3 6515 | stro@@ 3 6516 | mobil@@ 3 6517 | conform 3 6518 | academ@@ 3 6519 | loss-making 3 6520 | lawfully 3 6521 | conclu@@ 3 6522 | economists 3 6523 | conventions 3 6524 | air-raid 3 6525 | owed 3 6526 | presiding 3 6527 | audit 3 6528 | surpassed 3 6529 | twice 3 6530 | 863 3 6531 | ace 3 6532 | handful 3 6533 | chung-@@ 3 6534 | minor 3 6535 | infring@@ 3 6536 | experiments 3 6537 | disrupt 3 6538 | itable 3 6539 | feng@@ 3 6540 | diff@@ 3 6541 | hsiungfeng-@@ 3 6542 | realm 3 6543 | air-@@ 3 6544 | guan@@ 3 6545 | ripe 3 6546 | refin@@ 3 6547 | cross-straits 3 6548 | preaching 3 6549 | juni@@ 3 6550 | consolid@@ 3 6551 | ays 3 6552 | elderly 3 6553 | dyn@@ 3 6554 | 150 3 6555 | onghuai 3 6556 | youths 3 6557 | tsai 3 6558 | figh@@ 3 6559 | rocket 3 6560 | jim@@ 3 6561 | organic 3 6562 | asian-pacific 3 6563 | imminent 3 6564 | accidental 3 6565 | ministerial-level 3 6566 | thers 3 6567 | devi@@ 3 6568 | thermal-control 3 6569 | introducing 3 6570 | disgu@@ 3 6571 | nowhere 3 6572 | nu@@ 3 6573 | fond 3 6574 | party-building 3 6575 | kissinger 3 6576 | thirds 3 6577 | lease 3 6578 | loading 3 6579 | pin@@ 3 6580 | zing 3 6581 | doctor 3 6582 | laid-off 3 6583 | monopolies 3 6584 | guar@@ 3 6585 | proposition 3 6586 | reinforce 3 6587 | tro@@ 3 6588 | cop@@ 3 6589 | revival 3 6590 | athletes 3 6591 | lib@@ 3 6592 | ambiguous 3 6593 | work@@ 3 6594 | condol@@ 3 6595 | alloc@@ 3 6596 | referendum 3 6597 | ipu 3 6598 | jam@@ 3 6599 | laser 3 6600 | pc 3 6601 | talents 3 6602 | terror 3 6603 | ric@@ 3 6604 | travel 3 6605 | challeng@@ 3 6606 | picture 3 6607 | jilin 3 6608 | cite 3 6609 | inauguration 3 6610 | completion 3 6611 | wives 3 6612 | organically 3 6613 | faces 3 6614 | 1.3 3 6615 | citizen 3 6616 | yield 3 6617 | material@@ 3 6618 | joh@@ 3 6619 | sk@@ 3 6620 | losing 3 6621 | asks 3 6622 | coincidence 3 6623 | wall 3 6624 | imag@@ 3 6625 | hus@@ 3 6626 | ital 3 6627 | ome@@ 3 6628 | confusion 3 6629 | precis@@ 3 6630 | depri@@ 3 6631 | petrochemical 3 6632 | chamber 3 6633 | ardent 3 6634 | bell 3 6635 | 2.@@ 3 6636 | maintenance 3 6637 | ater@@ 3 6638 | honest@@ 3 6639 | walks 3 6640 | tend 3 6641 | por@@ 3 6642 | certainty 3 6643 | gar@@ 3 6644 | shipped 3 6645 | sino-brazilian 3 6646 | lifted 3 6647 | boun@@ 3 6648 | trump 3 6649 | ale 3 6650 | heading 3 6651 | distribu@@ 3 6652 | ensions 3 6653 | new@@ 2 6654 | resumption 2 6655 | tactically 2 6656 | charac@@ 2 6657 | weigu@@ 2 6658 | uded 2 6659 | second-@@ 2 6660 | exer@@ 2 6661 | southeastern 2 6662 | tumn 2 6663 | strata 2 6664 | impro@@ 2 6665 | russi@@ 2 6666 | sino-cuban 2 6667 | dum 2 6668 | safely 2 6669 | sattar 2 6670 | thems 2 6671 | ther@@ 2 6672 | random 2 6673 | shackles 2 6674 | ri 2 6675 | amen 2 6676 | swind@@ 2 6677 | ken 2 6678 | surpassing 2 6679 | militar@@ 2 6680 | infl@@ 2 6681 | swim 2 6682 | sels 2 6683 | popul@@ 2 6684 | stained 2 6685 | then-@@ 2 6686 | substanti@@ 2 6687 | grap@@ 2 6688 | tories 2 6689 | wortzel 2 6690 | mits 2 6691 | telecom 2 6692 | straints 2 6693 | voy@@ 2 6694 | runde 2 6695 | restraints 2 6696 | snakeheads 2 6697 | weak@@ 2 6698 | warn 2 6699 | tric 2 6700 | urricular 2 6701 | tao 2 6702 | leng@@ 2 6703 | cad@@ 2 6704 | venues 2 6705 | spicable 2 6706 | week@@ 2 6707 | op 2 6708 | quo 2 6709 | tists 2 6710 | hes@@ 2 6711 | rit@@ 2 6712 | decad@@ 2 6713 | suspicious 2 6714 | yining 2 6715 | tianity 2 6716 | sino 2 6717 | dated 2 6718 | torture 2 6719 | prohibits 2 6720 | waved 2 6721 | technicians 2 6722 | coordin@@ 2 6723 | vest 2 6724 | tant 2 6725 | progres@@ 2 6726 | oppon@@ 2 6727 | relating 2 6728 | spreading 2 6729 | wan@@ 2 6730 | ard@@ 2 6731 | effor@@ 2 6732 | streamers 2 6733 | interv@@ 2 6734 | rok-@@ 2 6735 | earli@@ 2 6736 | stephanopoulos 2 6737 | tics-trafficking 2 6738 | tackling 2 6739 | topple 2 6740 | propagated 2 6741 | program@@ 2 6742 | repeat 2 6743 | wuhan 2 6744 | arre@@ 2 6745 | frame@@ 2 6746 | reactionary 2 6747 | iously 2 6748 | appear@@ 2 6749 | ution 2 6750 | truthfully 2 6751 | small-@@ 2 6752 | terror@@ 2 6753 | sep 2 6754 | tion-@@ 2 6755 | the-sea 2 6756 | retains 2 6757 | thy 2 6758 | prisoner 2 6759 | tent@@ 2 6760 | xiang@@ 2 6761 | ere 2 6762 | ws 2 6763 | zan@@ 2 6764 | l-@@ 2 6765 | sino-finnish 2 6766 | radars 2 6767 | turing 2 6768 | valu@@ 2 6769 | smash 2 6770 | produc@@ 2 6771 | kazak@@ 2 6772 | tun@@ 2 6773 | shortly 2 6774 | ot 2 6775 | she@@ 2 6776 | shenwei 2 6777 | termination 2 6778 | thompson 2 6779 | serbs 2 6780 | sively 2 6781 | entary 2 6782 | umns 2 6783 | inspi@@ 2 6784 | circul@@ 2 6785 | replacements 2 6786 | stubbornness 2 6787 | write 2 6788 | temple 2 6789 | centr@@ 2 6790 | self-cultivation 2 6791 | four@@ 2 6792 | snow 2 6793 | deleg@@ 2 6794 | wine 2 6795 | mol@@ 2 6796 | thorny 2 6797 | state-to-state 2 6798 | pow@@ 2 6799 | roars 2 6800 | recru@@ 2 6801 | du 2 6802 | shuibian 2 6803 | proble@@ 2 6804 | ya@@ 2 6805 | shifts 2 6806 | ruchao 2 6807 | ick 2 6808 | zhubin 2 6809 | vies 2 6810 | kilome@@ 2 6811 | wee@@ 2 6812 | tel@@ 2 6813 | uganda 2 6814 | rot 2 6815 | responded 2 6816 | ential 2 6817 | ong@@ 2 6818 | sober-minded 2 6819 | voluntary 2 6820 | qualitative 2 6821 | y. 2 6822 | lar@@ 2 6823 | tour@@ 2 6824 | rid 2 6825 | regone 2 6826 | tendencies 2 6827 | tec 2 6828 | sho@@ 2 6829 | shui 2 6830 | ayed 2 6831 | oblig@@ 2 6832 | ronyms 2 6833 | ention 2 6834 | tory 2 6835 | stride 2 6836 | liqu@@ 2 6837 | three-dimensional 2 6838 | socialization 2 6839 | argent@@ 2 6840 | proponents 2 6841 | ingu@@ 2 6842 | reve@@ 2 6843 | restrictive 2 6844 | retail 2 6845 | } 2 6846 | rebu@@ 2 6847 | tap 2 6848 | selfishness 2 6849 | two-day 2 6850 | and-@@ 2 6851 | spoken 2 6852 | tsu@@ 2 6853 | sie 2 6854 | teenage 2 6855 | surveys 2 6856 | burea@@ 2 6857 | cross@@ 2 6858 | xue@@ 2 6859 | veteran 2 6860 | tomur 2 6861 | f-@@ 2 6862 | sites 2 6863 | thin@@ 2 6864 | yingfan 2 6865 | satisfying 2 6866 | turkmenistan 2 6867 | summoned 2 6868 | tax-@@ 2 6869 | servant 2 6870 | structures 2 6871 | well-to-do 2 6872 | trades 2 6873 | ism@@ 2 6874 | wh@@ 2 6875 | reenacted 2 6876 | ible 2 6877 | sovremenny-class 2 6878 | demonstr@@ 2 6879 | secure 2 6880 | kang 2 6881 | sacrifices 2 6882 | seoul 2 6883 | deep@@ 2 6884 | him@@ 2 6885 | recruited 2 6886 | traveled 2 6887 | supplied 2 6888 | ist@@ 2 6889 | thaksin 2 6890 | lish 2 6891 | modern@@ 2 6892 | support@@ 2 6893 | ven@@ 2 6894 | ched 2 6895 | steadfastly 2 6896 | quiries 2 6897 | retien 2 6898 | writ@@ 2 6899 | tongue 2 6900 | senses 2 6901 | dam 2 6902 | third-stage 2 6903 | resor@@ 2 6904 | bir@@ 2 6905 | y-- 2 6906 | pushes 2 6907 | eland 2 6908 | incl@@ 2 6909 | scal@@ 2 6910 | rectification 2 6911 | ase 2 6912 | wen-ho 2 6913 | sportsmanship 2 6914 | you@@ 2 6915 | rebuild 2 6916 | tives 2 6917 | preserved 2 6918 | upright 2 6919 | eas@@ 2 6920 | mone@@ 2 6921 | proceedings 2 6922 | tops 2 6923 | tolerate 2 6924 | cal 2 6925 | rewards 2 6926 | tragic 2 6927 | shoo@@ 2 6928 | icians 2 6929 | undesirable 2 6930 | seattle 2 6931 | larg@@ 2 6932 | accor@@ 2 6933 | ser 2 6934 | willfully 2 6935 | commis@@ 2 6936 | kers 2 6937 | wide-ranging 2 6938 | rap@@ 2 6939 | struggling 2 6940 | xiahua 2 6941 | ying-jeou 2 6942 | neg@@ 2 6943 | log@@ 2 6944 | speedy 2 6945 | rad@@ 2 6946 | stan 2 6947 | cu@@ 2 6948 | bom@@ 2 6949 | requiring 2 6950 | zao 2 6951 | play@@ 2 6952 | premis@@ 2 6953 | prohib@@ 2 6954 | restrict 2 6955 | zi@@ 2 6956 | manifest@@ 2 6957 | ts@@ 2 6958 | regret 2 6959 | there@@ 2 6960 | tune 2 6961 | rejection 2 6962 | inaugur@@ 2 6963 | nan 2 6964 | recovered 2 6965 | elo@@ 2 6966 | racing 2 6967 | underwent 2 6968 | salute 2 6969 | stimul@@ 2 6970 | yevskiy 2 6971 | thday 2 6972 | workshop 2 6973 | ese-@@ 2 6974 | nal 2 6975 | convic@@ 2 6976 | ultra-@@ 2 6977 | scrupulously 2 6978 | suspected 2 6979 | ptulla 2 6980 | stationing 2 6981 | unipolarization 2 6982 | pun@@ 2 6983 | simpl@@ 2 6984 | conv@@ 2 6985 | zam@@ 2 6986 | threshold 2 6987 | shame 2 6988 | eness 2 6989 | risen 2 6990 | asian-@@ 2 6991 | tc@@ 2 6992 | zhao@@ 2 6993 | concep@@ 2 6994 | thankful 2 6995 | flexi@@ 2 6996 | trail 2 6997 | rack 2 6998 | scheme 2 6999 | jing 2 7000 | solicit 2 7001 | sci-tech 2 7002 | tered 2 7003 | tled 2 7004 | public-@@ 2 7005 | separatists 2 7006 | indonesi@@ 2 7007 | replen@@ 2 7008 | topping 2 7009 | profit 2 7010 | daugh@@ 2 7011 | well-being 2 7012 | slavery 2 7013 | interpre@@ 2 7014 | wid@@ 2 7015 | lab@@ 2 7016 | excessi@@ 2 7017 | taliban 2 7018 | ord@@ 2 7019 | ification 2 7020 | tortuous 2 7021 | reimbursement 2 7022 | enc@@ 2 7023 | tomb 2 7024 | inci@@ 2 7025 | russian-made 2 7026 | ell@@ 2 7027 | walking 2 7028 | ribati 2 7029 | ymmetric 2 7030 | pain@@ 2 7031 | resistant 2 7032 | character@@ 2 7033 | xiao@@ 2 7034 | renew 2 7035 | signia 2 7036 | notic@@ 2 7037 | abl@@ 2 7038 | reinforcement 2 7039 | van@@ 2 7040 | tible 2 7041 | tevideo 2 7042 | shubei 2 7043 | virtue 2 7044 | tiger 2 7045 | toured 2 7046 | macro@@ 2 7047 | good@@ 2 7048 | unpopular 2 7049 | humanitar@@ 2 7050 | confi@@ 2 7051 | tended 2 7052 | va 2 7053 | prevail 2 7054 | slow 2 7055 | cm@@ 2 7056 | teachings 2 7057 | can@@ 2 7058 | ores 2 7059 | asting 2 7060 | titions 2 7061 | uquan 2 7062 | wood 2 7063 | recruit 2 7064 | shenyang 2 7065 | onia 2 7066 | otian 2 7067 | ulation 2 7068 | beid@@ 2 7069 | reti@@ 2 7070 | relaxation 2 7071 | typhoon 2 7072 | raid 2 7073 | qin@@ 2 7074 | tranquility 2 7075 | requested 2 7076 | ch-@@ 2 7077 | yeltsin 2 7078 | wo@@ 2 7079 | special-@@ 2 7080 | ef 2 7081 | ian-@@ 2 7082 | tal@@ 2 7083 | ley 2 7084 | doll@@ 2 7085 | sses 2 7086 | prohibition 2 7087 | sion@@ 2 7088 | sag@@ 2 7089 | rome 2 7090 | sym@@ 2 7091 | right-@@ 2 7092 | rejuvenating 2 7093 | visi@@ 2 7094 | treasured 2 7095 | edit@@ 2 7096 | ut@@ 2 7097 | shaken 2 7098 | sieged 2 7099 | protects 2 7100 | lik@@ 2 7101 | ocation 2 7102 | suan 2 7103 | rio 2 7104 | arro@@ 2 7105 | ateral 2 7106 | ss-@@ 2 7107 | queries 2 7108 | ende@@ 2 7109 | self-employed 2 7110 | soup 2 7111 | esp@@ 2 7112 | spur 2 7113 | soap 2 7114 | teeth 2 7115 | taoist 2 7116 | qinghai-xizang 2 7117 | prodi 2 7118 | privileges 2 7119 | tranquillity 2 7120 | six@@ 2 7121 | tot@@ 2 7122 | contradic@@ 2 7123 | vory 2 7124 | trap 2 7125 | vandenberg 2 7126 | vacuum 2 7127 | endant 2 7128 | seem 2 7129 | standardizing 2 7130 | shield 2 7131 | ped@@ 2 7132 | searched 2 7133 | vers@@ 2 7134 | philipp@@ 2 7135 | ames 2 7136 | cing 2 7137 | decisi@@ 2 7138 | verification 2 7139 | pp@@ 2 7140 | syrian 2 7141 | tolerated 2 7142 | aihe 2 7143 | immol@@ 2 7144 | books 2 7145 | slov@@ 2 7146 | perf@@ 2 7147 | wardness 2 7148 | web 2 7149 | prison 2 7150 | yuebin 2 7151 | quelling 2 7152 | therlands 2 7153 | zling 2 7154 | dge 2 7155 | elling 2 7156 | stipulates 2 7157 | iring 2 7158 | watched 2 7159 | unfortunate 2 7160 | rebound 2 7161 | care@@ 2 7162 | ait 2 7163 | ship@@ 2 7164 | democr@@ 2 7165 | verdict 2 7166 | twent@@ 2 7167 | tchison 2 7168 | dent 2 7169 | protesters 2 7170 | turbul@@ 2 7171 | plen@@ 2 7172 | seas 2 7173 | exac@@ 2 7174 | ancement 2 7175 | ean 2 7176 | tonight 2 7177 | situational 2 7178 | stabilizing 2 7179 | alth@@ 2 7180 | aband@@ 2 7181 | supervising 2 7182 | solidarity 2 7183 | vide@@ 2 7184 | yanhong 2 7185 | tran@@ 2 7186 | promotes 2 7187 | universality 2 7188 | sydney 2 7189 | relics 2 7190 | sionaries 2 7191 | stu@@ 2 7192 | poss@@ 2 7193 | senators 2 7194 | geo@@ 2 7195 | orious 2 7196 | yo 2 7197 | shulong 2 7198 | restrain 2 7199 | monopol@@ 2 7200 | ridic@@ 2 7201 | -3 2 7202 | sends 2 7203 | attemp@@ 2 7204 | ei 2 7205 | eing 2 7206 | representing 2 7207 | ram@@ 2 7208 | vel@@ 2 7209 | racked 2 7210 | bon@@ 2 7211 | undergoing 2 7212 | xon 2 7213 | victorious 2 7214 | teleconference 2 7215 | unshirkable 2 7216 | in-@@ 2 7217 | atical 2 7218 | ran 2 7219 | teorological 2 7220 | ests 2 7221 | rea@@ 2 7222 | worsened 2 7223 | via 2 7224 | inve@@ 2 7225 | attr@@ 2 7226 | vices 2 7227 | ior 2 7228 | resisting 2 7229 | atives 2 7230 | suffic@@ 2 7231 | taoism 2 7232 | sof@@ 2 7233 | short@@ 2 7234 | sad 2 7235 | sole 2 7236 | swim@@ 2 7237 | zagreb 2 7238 | rebel@@ 2 7239 | qinghai 2 7240 | bright 2 7241 | ster 2 7242 | switched 2 7243 | grow@@ 2 7244 | sensation 2 7245 | reaffirmed 2 7246 | h-@@ 2 7247 | reconsidering 2 7248 | tains 2 7249 | utilized 2 7250 | threatening 2 7251 | soph@@ 2 7252 | ursk 2 7253 | three-year 2 7254 | len@@ 2 7255 | chec@@ 2 7256 | thro@@ 2 7257 | sco 2 7258 | aud@@ 2 7259 | hal@@ 2 7260 | recipient 2 7261 | pao 2 7262 | fron@@ 2 7263 | aled 2 7264 | reject 2 7265 | fif@@ 2 7266 | solutions 2 7267 | unfavorable 2 7268 | unceasing 2 7269 | sm 2 7270 | slack@@ 2 7271 | tarim 2 7272 | tolerance 2 7273 | worker 2 7274 | stam@@ 2 7275 | acceler@@ 2 7276 | wavering 2 7277 | acking 2 7278 | publish 2 7279 | straight 2 7280 | sco@@ 2 7281 | gent@@ 2 7282 | promising 2 7283 | unacceptable 2 7284 | surmoun@@ 2 7285 | jour@@ 2 7286 | side@@ 2 7287 | uted 2 7288 | huai@@ 2 7289 | diversi@@ 2 7290 | regretted 2 7291 | sanc@@ 2 7292 | gated 2 7293 | tree 2 7294 | top-@@ 2 7295 | encro@@ 2 7296 | cultiv@@ 2 7297 | prob@@ 2 7298 | shimbun 2 7299 | secuted 2 7300 | roundup 2 7301 | ags 2 7302 | refusal 2 7303 | welfare 2 7304 | refutable 2 7305 | ard 2 7306 | rationally 2 7307 | yong-nam 2 7308 | renov@@ 2 7309 | sped 2 7310 | wen-@@ 2 7311 | inment 2 7312 | fail@@ 2 7313 | reinvigorate 2 7314 | preventing 2 7315 | spacecraft 2 7316 | uygur 2 7317 | xudong 2 7318 | uncompromising 2 7319 | tox@@ 2 7320 | resistance 2 7321 | restriction 2 7322 | bei 2 7323 | wholesale 2 7324 | sailing 2 7325 | teaches 2 7326 | reagan 2 7327 | marx@@ 2 7328 | sabo@@ 2 7329 | stal@@ 2 7330 | truthfulness 2 7331 | ves@@ 2 7332 | dless 2 7333 | resolves 2 7334 | tough@@ 2 7335 | ops 2 7336 | upgraded 2 7337 | rigidly 2 7338 | sy 2 7339 | meas@@ 2 7340 | space-based 2 7341 | surpris@@ 2 7342 | eli 2 7343 | subsequent 2 7344 | silk 2 7345 | xia 2 7346 | threaten 2 7347 | xinsheng 2 7348 | ambassad@@ 2 7349 | paren@@ 2 7350 | repl@@ 2 7351 | wiel@@ 2 7352 | store 2 7353 | sil@@ 2 7354 | shed 2 7355 | ashed 2 7356 | sums 2 7357 | sort 2 7358 | taiwan-@@ 2 7359 | requests 2 7360 | expec@@ 2 7361 | unciation 2 7362 | trademark 2 7363 | stocks 2 7364 | commo@@ 2 7365 | traffickers 2 7366 | depend@@ 2 7367 | tin@@ 2 7368 | qen 2 7369 | determin@@ 2 7370 | promul@@ 2 7371 | privately 2 7372 | sounded 2 7373 | ually 2 7374 | withdraws 2 7375 | vils 2 7376 | standardize 2 7377 | trick 2 7378 | singing 2 7379 | vana 2 7380 | miss@@ 2 7381 | undertakes 2 7382 | wrong@@ 2 7383 | seleznyov 2 7384 | secu@@ 2 7385 | underlying 2 7386 | rogated 2 7387 | rac@@ 2 7388 | pursu@@ 2 7389 | drew 2 7390 | resigned 2 7391 | formul@@ 2 7392 | salaries 2 7393 | oll@@ 2 7394 | carri@@ 2 7395 | tu 2 7396 | sty 2 7397 | simul@@ 2 7398 | roots 2 7399 | resentments 2 7400 | ular 2 7401 | jan 2 7402 | hig@@ 2 7403 | targe@@ 2 7404 | experim@@ 2 7405 | profession@@ 2 7406 | reshuff@@ 2 7407 | ross 2 7408 | underworld 2 7409 | ature 2 7410 | propell@@ 2 7411 | chap@@ 2 7412 | safer 2 7413 | rus@@ 2 7414 | ref@@ 2 7415 | il 2 7416 | infiltr@@ 2 7417 | arma@@ 2 7418 | zeng@@ 2 7419 | zi 2 7420 | self-defense 2 7421 | versed 2 7422 | essions 2 7423 | weep 2 7424 | intermedi@@ 2 7425 | tensions 2 7426 | yal@@ 2 7427 | unshakable 2 7428 | rently 2 7429 | ples 2 7430 | sided 2 7431 | waits 2 7432 | somebody 2 7433 | ustible 2 7434 | tai@@ 2 7435 | monit@@ 2 7436 | desi@@ 2 7437 | subsidy 2 7438 | surging 2 7439 | event@@ 2 7440 | touch 2 7441 | marxism-lenin@@ 2 7442 | prosecution 2 7443 | vacancies 2 7444 | equi@@ 2 7445 | refuses 2 7446 | shelton 2 7447 | smo@@ 2 7448 | found@@ 2 7449 | understandings 2 7450 | junc@@ 2 7451 | recommend 2 7452 | respec@@ 2 7453 | willingly 2 7454 | renowned 2 7455 | rockets 2 7456 | thousand 2 7457 | spying 2 7458 | warm@@ 2 7459 | proliferation 2 7460 | trustor 2 7461 | sergeyev 2 7462 | tokujitsu 2 7463 | spied 2 7464 | tang@@ 2 7465 | inter-@@ 2 7466 | intere@@ 2 7467 | dged 2 7468 | trustee 2 7469 | correc@@ 2 7470 | eigh@@ 2 7471 | su 2 7472 | ty@@ 2 7473 | { 2 7474 | k-@@ 2 7475 | straint 2 7476 | tier 2 7477 | millen@@ 2 7478 | punishable 2 7479 | teach 2 7480 | struck 2 7481 | tank 2 7482 | residential 2 7483 | viacom 2 7484 | savings 2 7485 | resy 2 7486 | residing 2 7487 | val 2 7488 | tactic 2 7489 | sti@@ 2 7490 | wind 2 7491 | gy@@ 2 7492 | subsistence 2 7493 | subdivision 2 7494 | tan 2 7495 | commit@@ 2 7496 | windows 2 7497 | tfully 2 7498 | cs 2 7499 | cathol@@ 2 7500 | wanton 2 7501 | tative 2 7502 | spon@@ 2 7503 | relocated 2 7504 | hai@@ 2 7505 | preh@@ 2 7506 | tap@@ 2 7507 | retic@@ 2 7508 | socie@@ 2 7509 | shixiang 2 7510 | helicop@@ 2 7511 | self-immol@@ 2 7512 | school@@ 2 7513 | terrorist 2 7514 | provincial-@@ 2 7515 | vibrant 2 7516 | quickened 2 7517 | suspicion 2 7518 | reckless 2 7519 | sections 2 7520 | gue 2 7521 | righteous 2 7522 | summing 2 7523 | terminal 2 7524 | ills 2 7525 | yagi 2 7526 | unbridled 2 7527 | shao@@ 2 7528 | sino-australian 2 7529 | fall@@ 2 7530 | russian-chinese 2 7531 | stroyev 2 7532 | elimin@@ 2 7533 | pe 2 7534 | puts 2 7535 | veto 2 7536 | worn 2 7537 | swift 2 7538 | televisions 2 7539 | unofficial 2 7540 | whampoa 2 7541 | ians 2 7542 | avoid@@ 2 7543 | pal@@ 2 7544 | unti@@ 2 7545 | self-improvement 2 7546 | retrogression 2 7547 | ira@@ 2 7548 | emerg@@ 2 7549 | age@@ 2 7550 | surprise 2 7551 | recorded 2 7552 | uprising 2 7553 | inform@@ 2 7554 | shooting 2 7555 | volunteers 2 7556 | protestant 2 7557 | repair 2 7558 | sla@@ 2 7559 | chao@@ 2 7560 | ced 2 7561 | shots 2 7562 | raids 2 7563 | shal 2 7564 | alter@@ 2 7565 | pay@@ 2 7566 | abo@@ 2 7567 | reserving 2 7568 | qian@@ 2 7569 | singh 2 7570 | wu@@ 2 7571 | ban@@ 2 7572 | supplies 2 7573 | summation 2 7574 | tourists 2 7575 | vernight 2 7576 | anu@@ 2 7577 | ology 2 7578 | ute 2 7579 | ethn@@ 2 7580 | hel@@ 2 7581 | repayment 2 7582 | eries 2 7583 | surmount 2 7584 | yuan@@ 2 7585 | survive 2 7586 | thousand-@@ 2 7587 | sives 2 7588 | cauti@@ 2 7589 | renovate 2 7590 | verge 2 7591 | erb@@ 2 7592 | reasonably 2 7593 | duc@@ 2 7594 | tters 2 7595 | vicissitudes 2 7596 | ards 2 7597 | distor@@ 2 7598 | seas@@ 2 7599 | gg@@ 2 7600 | bia 2 7601 | spac@@ 2 7602 | smoke 2 7603 | ast 2 7604 | od 2 7605 | tted 2 7606 | summary 2 7607 | ounds 2 7608 | beauti@@ 2 7609 | visible 2 7610 | cordi@@ 2 7611 | orate 2 7612 | supporters 2 7613 | bot@@ 2 7614 | qinghua 2 7615 | zheng@@ 2 7616 | urumqi 2 7617 | wounds 2 7618 | aren@@ 2 7619 | sailors 2 7620 | dia 2 7621 | third-@@ 2 7622 | ow 2 7623 | verify 2 7624 | ok 2 7625 | hospit@@ 2 7626 | snowy 2 7627 | discrimin@@ 2 7628 | shek 2 7629 | savage 2 7630 | descri@@ 2 7631 | reform@@ 2 7632 | sta@@ 2 7633 | unexpected 2 7634 | dence 2 7635 | warplanes 2 7636 | propelled 2 7637 | queen 2 7638 | upholds 2 7639 | unswerving 2 7640 | adequ@@ 2 7641 | yes 2 7642 | scenario 2 7643 | snow@@ 2 7644 | brilli@@ 2 7645 | wantonly 2 7646 | ific@@ 2 7647 | palestin@@ 2 7648 | systematic 2 7649 | unsettled 2 7650 | conting@@ 2 7651 | denoun@@ 2 7652 | whi@@ 2 7653 | consi@@ 2 7654 | arbitr@@ 2 7655 | foreign-@@ 2 7656 | screens 2 7657 | sang 2 7658 | shucheng 2 7659 | presid@@ 2 7660 | stag@@ 2 7661 | raf@@ 2 7662 | turnaround 2 7663 | ft 2 7664 | rand@@ 2 7665 | zaldivar 2 7666 | eg@@ 2 7667 | tariffs 2 7668 | severed 2 7669 | textbooks 2 7670 | workdays 2 7671 | ension 2 7672 | resoluteness 2 7673 | scum 2 7674 | transc@@ 2 7675 | thereafter 2 7676 | basi@@ 2 7677 | ism-@@ 2 7678 | triumphant 2 7679 | quanzhou 2 7680 | tese 2 7681 | groun@@ 2 7682 | fig@@ 2 7683 | ond 2 7684 | referred 2 7685 | vietnam-china 2 7686 | new-@@ 2 7687 | scenery 2 7688 | valuating 2 7689 | trampling 2 7690 | devo@@ 2 7691 | doctr@@ 2 7692 | variables 2 7693 | unsc 2 7694 | tment 2 7695 | quiry 2 7696 | ough@@ 2 7697 | witnesses 2 7698 | vul@@ 2 7699 | loving 2 7700 | repercussions 2 7701 | ren 2 7702 | thank 2 7703 | noti@@ 2 7704 | tem@@ 2 7705 | russian-@@ 2 7706 | atch 2 7707 | recycling 2 7708 | point@@ 2 7709 | richard 2 7710 | indefin@@ 2 7711 | self-determination 2 7712 | waving 2 7713 | whither 2 7714 | dre@@ 2 7715 | internation@@ 2 7716 | slogans 2 7717 | philosoph@@ 2 7718 | determination 2 7719 | sino-iranian 2 7720 | dist@@ 2 7721 | reck@@ 2 7722 | utilize 2 7723 | tsin@@ 2 7724 | dities 2 7725 | dang@@ 2 7726 | develop@@ 2 7727 | zhongyu 2 7728 | xianglong 2 7729 | reservations 2 7730 | turkish 2 7731 | vy 2 7732 | reopened 2 7733 | sometimes 2 7734 | pling 2 7735 | ze@@ 2 7736 | supplying 2 7737 | swiss 2 7738 | terminate 2 7739 | trustworthy 2 7740 | versus 2 7741 | 00@@ 2 7742 | near@@ 2 7743 | unjust 2 7744 | recalled 2 7745 | mou@@ 2 7746 | titudes 2 7747 | tenment 2 7748 | list@@ 2 7749 | shoes 2 7750 | sino-macedonian 2 7751 | recommended 2 7752 | ske@@ 2 7753 | researcher 2 7754 | oun@@ 2 7755 | renew@@ 2 7756 | cooper@@ 2 7757 | similarities 2 7758 | switch 2 7759 | qingze 2 7760 | ls 2 7761 | iling 2 7762 | refuting 2 7763 | ignor@@ 2 7764 | sultan 2 7765 | tening 2 7766 | istr@@ 2 7767 | transactions 2 7768 | andong 2 7769 | xiulian 2 7770 | retained 2 7771 | ugal 2 7772 | prosecutor 2 7773 | sun@@ 2 7774 | virtuous 2 7775 | scriptures 2 7776 | south-south 2 7777 | vessel 2 7778 | ardu@@ 2 7779 | corpor@@ 2 7780 | dee@@ 2 7781 | icit 2 7782 | sensi@@ 2 7783 | threatens 2 7784 | reseen 2 7785 | wishing 2 7786 | rty 2 7787 | sentiments 2 7788 | proletariat 2 7789 | revi@@ 2 7790 | shelving 2 7791 | qu 2 7792 | selfless 2 7793 | secondly 2 7794 | itors 2 7795 | procedural 2 7796 | timissile 2 7797 | propagate 2 7798 | quick@@ 2 7799 | ez@@ 2 7800 | ership 2 7801 | invol@@ 2 7802 | pudong 2 7803 | thematical 2 7804 | plo@@ 2 7805 | tch 2 7806 | organiz@@ 2 7807 | vert 2 7808 | replaced 2 7809 | evid@@ 2 7810 | adop@@ 2 7811 | complement@@ 2 7812 | surren@@ 2 7813 | ulent 2 7814 | narco@@ 2 7815 | extre@@ 2 7816 | mored 2 7817 | vement 2 7818 | watching 2 7819 | 0 2 7820 | labor@@ 2 7821 | acc@@ 2 7822 | unfol@@ 2 7823 | shim@@ 2 7824 | justi@@ 2 7825 | ve-duty 2 7826 | uncondi@@ 2 7827 | rupted 2 7828 | aw@@ 2 7829 | lob@@ 2 7830 | span 2 7831 | maint@@ 2 7832 | to-party 2 7833 | yanov 2 7834 | tricks 2 7835 | ental 2 7836 | significantly 2 7837 | ner@@ 2 7838 | traditions 2 7839 | qiu 2 7840 | bit@@ 2 7841 | n-@@ 2 7842 | nom@@ 2 7843 | zech 2 7844 | recogniz@@ 2 7845 | sino-syrian 2 7846 | tling 2 7847 | serviceman 2 7848 | wounded 2 7849 | standstill 2 7850 | rock 2 7851 | worl@@ 2 7852 | tieshan 2 7853 | hard@@ 2 7854 | townsman 2 7855 | ruan 2 7856 | genu@@ 2 7857 | versy 2 7858 | disast@@ 2 7859 | summarize 2 7860 | remind 2 7861 | tangible 2 7862 | cept 2 7863 | ulsory 2 7864 | shouldering 2 7865 | undertake 2 7866 | ill 2 7867 | programmatic 2 7868 | stered 2 7869 | riots 2 7870 | slightest 2 7871 | dents 2 7872 | scopic 2 7873 | tools 2 7874 | proves 2 7875 | scrap 2 7876 | theor@@ 2 7877 | ater 2 7878 | emancip@@ 2 7879 | intens@@ 2 7880 | dal@@ 2 7881 | stly 2 7882 | sea-crossing 2 7883 | ged 2 7884 | assist@@ 2 7885 | ur 2 7886 | ells 2 7887 | supplement 2 7888 | sized 2 7889 | main@@ 2 7890 | umbrella 2 7891 | whereas 2 7892 | ems 2 7893 | administr@@ 2 7894 | priests 2 7895 | cle 2 7896 | sheng@@ 2 7897 | reversible 2 7898 | soong 2 7899 | zealand 2 7900 | metric 2 7901 | encies 2 7902 | regul@@ 2 7903 | entional 2 7904 | bin@@ 2 7905 | bureaucr@@ 2 7906 | yong 2 7907 | sino-german 2 7908 | appe@@ 2 7909 | regimental 2 7910 | za 2 7911 | reprint 2 7912 | tribute 2 7913 | vege@@ 2 7914 | stakes 2 7915 | em 2 7916 | xuan 2 7917 | register 2 7918 | sunday 2 7919 | uruguayan 2 7920 | dup 2 7921 | rounds 2 7922 | tline 2 7923 | ke-@@ 2 7924 | rs 2 7925 | pride 2 7926 | ran@@ 2 7927 | ro 2 7928 | renounce 2 7929 | onally 2 7930 | rout@@ 1 7931 | onal 1 7932 | station@@ 1 7933 | announ@@ 1 7934 | ranging 1 7935 | dao@@ 1 7936 | cub@@ 1 7937 | ug@@ 1 7938 | asive 1 7939 | head@@ 1 7940 | gn@@ 1 7941 | prece@@ 1 7942 | tremend@@ 1 7943 | yee 1 7944 | vism 1 7945 | aying 1 7946 | tack@@ 1 7947 | rib@@ 1 7948 | ful@@ 1 7949 | till@@ 1 7950 | pover@@ 1 7951 | tril@@ 1 7952 | stor@@ 1 7953 | remo@@ 1 7954 | tici@@ 1 7955 | harm@@ 1 7956 | ague 1 7957 | thr@@ 1 7958 | y-run 1 7959 | oler@@ 1 7960 | yuan-@@ 1 7961 | thous@@ 1 7962 | verti@@ 1 7963 | revol@@ 1 7964 | canad@@ 1 7965 | abol@@ 1 7966 | fai@@ 1 7967 | positi@@ 1 7968 | big@@ 1 7969 | kou 1 7970 | suffici@@ 1 7971 | regim@@ 1 7972 | praise 1 7973 | rail@@ 1 7974 | discus@@ 1 7975 | dol@@ 1 7976 | avail@@ 1 7977 | year-@@ 1 7978 | ign 1 7979 | wered 1 7980 | ins@@ 1 7981 | clos@@ 1 7982 | bankrup@@ 1 7983 | rul@@ 1 7984 | ultr@@ 1 7985 | manufac@@ 1 7986 | mee@@ 1 7987 | dela@@ 1 7988 | wa 1 7989 | mess@@ 1 7990 | spir@@ 1 7991 | europe@@ 1 7992 | taji@@ 1 7993 | vangu@@ 1 7994 | trad@@ 1 7995 | zation 1 7996 | entr@@ 1 7997 | imple@@ 1 7998 | yong-@@ 1 7999 | wards 1 8000 | tend@@ 1 8001 | mig@@ 1 8002 | desirable 1 8003 | thre@@ 1 8004 | decei@@ 1 8005 | yun 1 8006 | congres@@ 1 8007 | au 1 8008 | mir@@ 1 8009 | manif@@ 1 8010 | lenin@@ 1 8011 | prep@@ 1 8012 | tedly 1 8013 | never@@ 1 8014 | ologically 1 8015 | accep@@ 1 8016 | resist@@ 1 8017 | acknowle@@ 1 8018 | surve@@ 1 8019 | endeav@@ 1 8020 | ffe@@ 1 8021 | troubl@@ 1 8022 | inno@@ 1 8023 | syri@@ 1 8024 | foc@@ 1 8025 | nanhai 1 8026 | pharmaceu@@ 1 8027 | superi@@ 1 8028 | agend@@ 1 8029 | ilin 1 8030 | intellig@@ 1 8031 | fle@@ 1 8032 | chr@@ 1 8033 | isra@@ 1 8034 | trag@@ 1 8035 | prosecut@@ 1 8036 | ihu@@ 1 8037 | sman 1 8038 | dru@@ 1 8039 | shoc@@ 1 8040 | reloc@@ 1 8041 | um-@@ 1 8042 | shoul@@ 1 8043 | urban@@ 1 8044 | stabil@@ 1 8045 | oo@@ 1 8046 | juven@@ 1 8047 | secretar@@ 1 8048 | tin 1 8049 | strong@@ 1 8050 | auth@@ 1 8051 | orship 1 8052 | ishable 1 8053 | poverty-@@ 1 8054 | kind-@@ 1 8055 | protection@@ 1 8056 | tech 1 8057 | conserv@@ 1 8058 | ration 1 8059 | cis@@ 1 8060 | yard 1 8061 | jie@@ 1 8062 | journ@@ 1 8063 | house@@ 1 8064 | concre@@ 1 8065 | tiv@@ 1 8066 | tz@@ 1 8067 | ton@@ 1 8068 | eff@@ 1 8069 | restric@@ 1 8070 | pac@@ 1 8071 | ven 1 8072 | forth@@ 1 8073 | tob@@ 1 8074 | inning 1 8075 | need@@ 1 8076 | -minded 1 8077 | prim@@ 1 8078 | hib@@ 1 8079 | acity 1 8080 | southeast@@ 1 8081 | sacrif@@ 1 8082 | split@@ 1 8083 | ol 1 8084 | anced 1 8085 | olog@@ 1 8086 | len 1 8087 | shack@@ 1 8088 | scri@@ 1 8089 | selez@@ 1 8090 | regi@@ 1 8091 | cru@@ 1 8092 | collap@@ 1 8093 | chan@@ 1 8094 | beg@@ 1 8095 | turk@@ 1 8096 | success@@ 1 8097 | chil@@ 1 8098 | ternal 1 8099 | represent@@ 1 8100 | viewing 1 8101 | atmo@@ 1 8102 | die@@ 1 8103 | trust@@ 1 8104 | transi@@ 1 8105 | reven@@ 1 8106 | with@@ 1 8107 | purch@@ 1 8108 | sacrific@@ 1 8109 | reason@@ 1 8110 | alties 1 8111 | benef@@ 1 8112 | quie@@ 1 8113 | croati@@ 1 8114 | where@@ 1 8115 | dres@@ 1 8116 | famili@@ 1 8117 | bers 1 8118 | gets 1 8119 | minim@@ 1 8120 | prov@@ 1 8121 | lood 1 8122 | toge@@ 1 8123 | ageous 1 8124 | polic@@ 1 8125 | yo@@ 1 8126 | terr@@ 1 8127 | dy@@ 1 8128 | bang@@ 1 8129 | legally 1 8130 | issu@@ 1 8131 | ables 1 8132 | revis@@ 1 8133 | bing 1 8134 | rem@@ 1 8135 | ate@@ 1 8136 | bankrupt@@ 1 8137 | stop@@ 1 8138 | assemb@@ 1 8139 | ques@@ 1 8140 | salv@@ 1 8141 | dian 1 8142 | enterpris@@ 1 8143 | yer 1 8144 | enorm@@ 1 8145 | ey@@ 1 8146 | brig@@ 1 8147 | sening 1 8148 | far-@@ 1 8149 | banqu@@ 1 8150 | vehic@@ 1 8151 | til@@ 1 8152 | hed 1 8153 | flour@@ 1 8154 | subordin@@ 1 8155 | og 1 8156 | unif@@ 1 8157 | pei 1 8158 | guaran@@ 1 8159 | promp@@ 1 8160 | tho@@ 1 8161 | sie@@ 1 8162 | concentr@@ 1 8163 | spl@@ 1 8164 | pers@@ 1 8165 | lit@@ 1 8166 | tac@@ 1 8167 | may@@ 1 8168 | zen 1 8169 | appropri@@ 1 8170 | err@@ 1 8171 | subsequ@@ 1 8172 | e-chung 1 8173 | ols 1 8174 | ener@@ 1 8175 | retrogres@@ 1 8176 | supervis@@ 1 8177 | implement@@ 1 8178 | ained 1 8179 | enn@@ 1 8180 | vil@@ 1 8181 | steadfast@@ 1 8182 | conspir@@ 1 8183 | repe@@ 1 8184 | thorough@@ 1 8185 | scrip@@ 1 8186 | pk 1 8187 | graph@@ 1 8188 | swit@@ 1 8189 | isha@@ 1 8190 | teach@@ 1 8191 | izations 1 8192 | now@@ 1 8193 | ril 1 8194 | vol@@ 1 8195 | instru@@ 1 8196 | feb@@ 1 8197 | japan@@ 1 8198 | rain@@ 1 8199 | responsibil@@ 1 8200 | corrup@@ 1 8201 | convin@@ 1 8202 | ying-@@ 1 8203 | well-@@ 1 8204 | azerbai@@ 1 8205 | prud@@ 1 8206 | indis@@ 1 8207 | camp@@ 1 8208 | hegemon@@ 1 8209 | pei@@ 1 8210 | scientif@@ 1 8211 | sport@@ 1 8212 | ought 1 8213 | viol@@ 1 8214 | sci@@ 1 8215 | addic@@ 1 8216 | contin@@ 1 8217 | consci@@ 1 8218 | crack@@ 1 8219 | beh@@ 1 8220 | ading 1 8221 | ilian 1 8222 | sha@@ 1 8223 | riage 1 8224 | ycl@@ 1 8225 | firmed 1 8226 | termin@@ 1 8227 | hang@@ 1 8228 | sever@@ 1 8229 | revit@@ 1 8230 | accur@@ 1 8231 | ore@@ 1 8232 | zai@@ 1 8233 | enri@@ 1 8234 | subsi@@ 1 8235 | ciliation 1 8236 | ukrain@@ 1 8237 | acies 1 8238 | cust@@ 1 8239 | unf@@ 1 8240 | gras@@ 1 8241 | sk 1 8242 | patrio@@ 1 8243 | stic@@ 1 8244 | edly 1 8245 | enacted 1 8246 | omin 1 8247 | tax@@ 1 8248 | rang@@ 1 8249 | sh 1 8250 | block@@ 1 8251 | recogn@@ 1 8252 | ult 1 8253 | navig@@ 1 8254 | kno@@ 1 8255 | on-making 1 8256 | opportun@@ 1 8257 | xiz@@ 1 8258 | preser@@ 1 8259 | wal@@ 1 8260 | cally 1 8261 | vit@@ 1 8262 | hostil@@ 1 8263 | spar@@ 1 8264 | tivity 1 8265 | liter@@ 1 8266 | lag@@ 1 8267 | posi@@ 1 8268 | stru@@ 1 8269 | creati@@ 1 8270 | omu 1 8271 | relation@@ 1 8272 | propos@@ 1 8273 | tren@@ 1 8274 | mas@@ 1 8275 | tum@@ 1 8276 | fulness 1 8277 | ison 1 8278 | idly 1 8279 | prou@@ 1 8280 | treas@@ 1 8281 | famil@@ 1 8282 | alth 1 8283 | eu@@ 1 8284 | scre@@ 1 8285 | cc 1 8286 | tat@@ 1 8287 | sovie@@ 1 8288 | compe@@ 1 8289 | ially 1 8290 | inan 1 8291 | sis 1 8292 | ancies 1 8293 | ss@@ 1 8294 | compreh@@ 1 8295 | reta@@ 1 8296 | ulla 1 8297 | conduc@@ 1 8298 | hsiung 1 8299 | abund@@ 1 8300 | func@@ 1 8301 | resol@@ 1 8302 | yal 1 8303 | tis@@ 1 8304 | certain@@ 1 8305 | than@@ 1 8306 | tary 1 8307 | wash@@ 1 8308 | aining 1 8309 | fast@@ 1 8310 | lef@@ 1 8311 | pharm@@ 1 8312 | mors 1 8313 | ffic@@ 1 8314 | prag@@ 1 8315 | pment 1 8316 | oth@@ 1 8317 | icated 1 8318 | ement 1 8319 | campaign@@ 1 8320 | ame@@ 1 8321 | fren@@ 1 8322 | lad@@ 1 8323 | weap@@ 1 8324 | j 1 8325 | share@@ 1 8326 | 11@@ 1 8327 | states@@ 1 8328 | vir@@ 1 8329 | stream 1 8330 | sugg@@ 1 8331 | schedul@@ 1 8332 | dial@@ 1 8333 | nate 1 8334 | cpp@@ 1 8335 | ration@@ 1 8336 | moder@@ 1 8337 | tom@@ 1 8338 | matic 1 8339 | ensive 1 8340 | unfor@@ 1 8341 | betw@@ 1 8342 | nly 1 8343 | dilig@@ 1 8344 | influ@@ 1 8345 | spr@@ 1 8346 | differen@@ 1 8347 | spi@@ 1 8348 | prospec@@ 1 8349 | ool 1 8350 | yers 1 8351 | orial 1 8352 | speak@@ 1 8353 | ade@@ 1 8354 | dies 1 8355 | sist@@ 1 8356 | trium@@ 1 8357 | won@@ 1 8358 | social@@ 1 8359 | aspir@@ 1 8360 | vere@@ 1 8361 | business@@ 1 8362 | conno@@ 1 8363 | acceptable 1 8364 | athle@@ 1 8365 | milit@@ 1 8366 | fur@@ 1 8367 | forc@@ 1 8368 | veled 1 8369 | stric@@ 1 8370 | bition 1 8371 | om 1 8372 | ue@@ 1 8373 | kable 1 8374 | competi@@ 1 8375 | shen@@ 1 8376 | bluepr@@ 1 8377 | xim@@ 1 8378 | assa@@ 1 8379 | quanti@@ 1 8380 | becom@@ 1 8381 | ans@@ 1 8382 | ticul@@ 1 8383 | recycl@@ 1 8384 | utes 1 8385 | esti@@ 1 8386 | ney 1 8387 | lp@@ 1 8388 | minist@@ 1 8389 | suppl@@ 1 8390 | theore@@ 1 8391 | smugg@@ 1 8392 | hat@@ 1 8393 | accompl@@ 1 8394 | ind@@ 1 8395 | rescu@@ 1 8396 | integr@@ 1 8397 | stipul@@ 1 8398 | holders 1 8399 | onom@@ 1 8400 | techn@@ 1 8401 | 00-@@ 1 8402 | apers 1 8403 | information@@ 1 8404 | + 1 8405 | peri@@ 1 8406 | ites 1 8407 | magn@@ 1 8408 | wide@@ 1 8409 | cive 1 8410 | stry 1 8411 | var@@ 1 8412 | wed 1 8413 | canc@@ 1 8414 | ully 1 8415 | qui@@ 1 8416 | struc@@ 1 8417 | ials 1 8418 | see@@ 1 8419 | loss-@@ 1 8420 | practic@@ 1 8421 | declar@@ 1 8422 | lai@@ 1 8423 | entreprene@@ 1 8424 | sing@@ 1 8425 | chings 1 8426 | ongjiang 1 8427 | leg@@ 1 8428 | vari@@ 1 8429 | harmon@@ 1 8430 | righte@@ 1 8431 | wis@@ 1 8432 | minded 1 8433 | mass@@ 1 8434 | upul@@ 1 8435 | virtu@@ 1 8436 | asp@@ 1 8437 | chur@@ 1 8438 | decl@@ 1 8439 | unpreced@@ 1 8440 | spo@@ 1 8441 | vietnam@@ 1 8442 | insul@@ 1 8443 | ift 1 8444 | seou@@ 1 8445 | tas@@ 1 8446 | don@@ 1 8447 | icial 1 8448 | renoun@@ 1 8449 | deteri@@ 1 8450 | ghua 1 8451 | necess@@ 1 8452 | dispu@@ 1 8453 | nor@@ 1 8454 | insi@@ 1 8455 | stra@@ 1 8456 | middle-@@ 1 8457 | peac@@ 1 8458 | shel@@ 1 8459 | iev@@ 1 8460 | exclu@@ 1 8461 | giv@@ 1 8462 | pra@@ 1 8463 | unil@@ 1 8464 | safeguar@@ 1 8465 | disrup@@ 1 8466 | ax 1 8467 | ack 1 8468 | brazilian 1 8469 | ishments 1 8470 | consist@@ 1 8471 | ling@@ 1 8472 | gs 1 8473 | reco@@ 1 8474 | consen@@ 1 8475 | connec@@ 1 8476 | ,000-@@ 1 8477 | truth@@ 1 8478 | capabil@@ 1 8479 | cab@@ 1 8480 | yue 1 8481 | suspic@@ 1 8482 | enced 1 8483 | thered 1 8484 | tics 1 8485 | telecon@@ 1 8486 | emphas@@ 1 8487 | agre@@ 1 8488 | tigh@@ 1 8489 | km@@ 1 8490 | temper@@ 1 8491 | tist 1 8492 | sum@@ 1 8493 | copy@@ 1 8494 | perio@@ 1 8495 | sper@@ 1 8496 | brief@@ 1 8497 | shak@@ 1 8498 | 0th 1 8499 | consum@@ 1 8500 | view@@ 1 8501 | doc@@ 1 8502 | will@@ 1 8503 | ach 1 8504 | youn@@ 1 8505 | south-@@ 1 8506 | opin@@ 1 8507 | square@@ 1 8508 | wel@@ 1 8509 | refer@@ 1 8510 | situ@@ 1 8511 | missil@@ 1 8512 | craft 1 8513 | fusion 1 8514 | 6,@@ 1 8515 | repr@@ 1 8516 | recon@@ 1 8517 | replac@@ 1 8518 | io 1 8519 | proce@@ 1 8520 | 199@@ 1 8521 | whe@@ 1 8522 | continu@@ 1 8523 | reci@@ 1 8524 | inte@@ 1 8525 | wn 1 8526 | mic@@ 1 8527 | battle@@ 1 8528 | rejuven@@ 1 8529 | ecti@@ 1 8530 | oppo@@ 1 8531 | insepar@@ 1 8532 | accommo@@ 1 8533 | tily 1 8534 | occasi@@ 1 8535 | unavoid@@ 1 8536 | tex@@ 1 8537 | budge@@ 1 8538 | objecti@@ 1 8539 | fare@@ 1 8540 | itar@@ 1 8541 | heart@@ 1 8542 | report@@ 1 8543 | weig@@ 1 8544 | tao@@ 1 8545 | separ@@ 1 8546 | drag@@ 1 8547 | administ@@ 1 8548 | fis@@ 1 8549 | struction 1 8550 | tings 1 8551 | nat@@ 1 8552 | undermin@@ 1 8553 | recent@@ 1 8554 | patro@@ 1 8555 | oping 1 8556 | pn@@ 1 8557 | histor@@ 1 8558 | arer 1 8559 | atization 1 8560 | tra@@ 1 8561 | sus 1 8562 | clam@@ 1 8563 | strength@@ 1 8564 | oke 1 8565 | phant 1 8566 | rists 1 8567 | sch@@ 1 8568 | thes@@ 1 8569 | ghui 1 8570 | ams 1 8571 | aris@@ 1 8572 | ultim@@ 1 8573 | ply 1 8574 | proc@@ 1 8575 | ide@@ 1 8576 | sett@@ 1 8577 | spe@@ 1 8578 | particul@@ 1 8579 | postp@@ 1 8580 | perspec@@ 1 8581 | erous 1 8582 | oted 1 8583 | aut@@ 1 8584 | revolution@@ 1 8585 | univers@@ 1 8586 | encing 1 8587 | commemor@@ 1 8588 | judg@@ 1 8589 | ome 1 8590 | intercep@@ 1 8591 | cel@@ 1 8592 | incidence 1 8593 | crossing 1 8594 | aser 1 8595 | prev@@ 1 8596 | overwhel@@ 1 8597 | feud@@ 1 8598 | proj@@ 1 8599 | wholehear@@ 1 8600 | qua@@ 1 8601 | oph@@ 1 8602 | envo@@ 1 8603 | isl@@ 1 8604 | mate 1 8605 | yus@@ 1 8606 | energ@@ 1 8607 | summ@@ 1 8608 | open@@ 1 8609 | supple@@ 1 8610 | eded 1 8611 | stantly 1 8612 | idden 1 8613 | stitu@@ 1 8614 | sear@@ 1 8615 | web@@ 1 8616 | ambig@@ 1 8617 | rej@@ 1 8618 | gra@@ 1 8619 | igh@@ 1 8620 | grati@@ 1 8621 | orient@@ 1 8622 | accus@@ 1 8623 | inary 1 8624 | angu@@ 1 8625 | south@@ 1 8626 | stre@@ 1 8627 | attribu@@ 1 8628 | stubborn@@ 1 8629 | recti@@ 1 8630 | responsi@@ 1 8631 | cir@@ 1 8632 | call@@ 1 8633 | wast@@ 1 8634 | pression 1 8635 | scr@@ 1 8636 | blin@@ 1 8637 | ero@@ 1 8638 | condi@@ 1 8639 | exam@@ 1 8640 | conspic@@ 1 8641 | shiel@@ 1 8642 | sev@@ 1 8643 | obta@@ 1 8644 | recomm@@ 1 8645 | ique 1 8646 | publ@@ 1 8647 | aeg@@ 1 8648 | langu@@ 1 8649 | fiel@@ 1 8650 | mong@@ 1 8651 | schol@@ 1 8652 | mom@@ 1 8653 | aken 1 8654 | minor@@ 1 8655 | acked 1 8656 | ows 1 8657 | ide 1 8658 | privat@@ 1 8659 | chem@@ 1 8660 | ump 1 8661 | shif@@ 1 8662 | sin 1 8663 | quar@@ 1 8664 | hearted 1 8665 | pris@@ 1 8666 | rum@@ 1 8667 | ever@@ 1 8668 | unfortun@@ 1 8669 | fine-@@ 1 8670 | ori@@ 1 8671 | rai@@ 1 8672 | fulfil@@ 1 8673 | inging 1 8674 | bus@@ 1 8675 | pakistan@@ 1 8676 | rais@@ 1 8677 | achiev@@ 1 8678 | susp@@ 1 8679 | prais@@ 1 8680 | observ@@ 1 8681 | semin@@ 1 8682 | politi@@ 1 8683 | interven@@ 1 8684 | unanim@@ 1 8685 | insur@@ 1 8686 | iat 1 8687 | tudes 1 8688 | isms 1 8689 | addi@@ 1 8690 | icide 1 8691 | resp@@ 1 8692 | wp 1 8693 | rele@@ 1 8694 | neighb@@ 1 8695 | hou 1 8696 | tail 1 8697 | ify 1 8698 | goo@@ 1 8699 | appoint@@ 1 8700 | tte 1 8701 | versary 1 8702 | ind 1 8703 | worthy 1 8704 | oked 1 8705 | eric@@ 1 8706 | grad@@ 1 8707 | exper@@ 1 8708 | campaig@@ 1 8709 | fel@@ 1 8710 | ungong 1 8711 | typ@@ 1 8712 | origin@@ 1 8713 | alle@@ 1 8714 | fas@@ 1 8715 | colom@@ 1 8716 | total@@ 1 8717 | yed 1 8718 | ishment 1 8719 | reser@@ 1 8720 | west@@ 1 8721 | ility 1 8722 | difficul@@ 1 8723 | asts 1 8724 | introduc@@ 1 8725 | lation 1 8726 | ep@@ 1 8727 | territ@@ 1 8728 | guof@@ 1 8729 | provin@@ 1 8730 | explor@@ 1 8731 | anne@@ 1 8732 | volunte@@ 1 8733 | ax@@ 1 8734 | oto 1 8735 | gh 1 8736 | relax@@ 1 8737 | five-@@ 1 8738 | establish@@ 1 8739 | -control 1 8740 | uc@@ 1 8741 | absor@@ 1 8742 | ns 1 8743 | mode@@ 1 8744 | suc@@ 1 8745 | lion 1 8746 | large-@@ 1 8747 | tric@@ 1 8748 | behavi@@ 1 8749 | mit 1 8750 | effici@@ 1 8751 | palestinian-@@ 1 8752 | trou@@ 1 8753 | feder@@ 1 8754 | kad@@ 1 8755 | righ@@ 1 8756 | perman@@ 1 8757 | suspec@@ 1 8758 | surroun@@ 1 8759 | rain 1 8760 | missed 1 8761 | -------------------------------------------------------------------------------- /doc/neural machine translation by jointly learning to align and translate.pdf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/jmhIcoding/machine_translation/45264d0aa90980ebca5a134a802f025908a6c04d/doc/neural machine translation by jointly learning to align and translate.pdf -------------------------------------------------------------------------------- /inference.py: -------------------------------------------------------------------------------- 1 | __author__ = 'jmh081701' 2 | import tensorflow as tf 3 | import numpy as np 4 | from src.encoder_decoder.utils import DATAPROCESS 5 | batch_size = 100 6 | dataGen = DATAPROCESS(batch_size=batch_size, 7 | is_test= True, 8 | seperate_rate= 0.0 9 | ) 10 | #所有的test里面的样本都拿去测试,seperate_rate 于是应该是100%,表示所有的样本都分离开来了 11 | 12 | loaded_graph = tf.Graph() 13 | with tf.Session(graph=loaded_graph) as sess: 14 | # Load saved model 15 | loader = tf.train.import_meta_graph('checkpoints/dev.meta') 16 | loader.restore(sess, tf.train.latest_checkpoint('./checkpoints')) 17 | 18 | input_data = loaded_graph.get_tensor_by_name('inputs:0') 19 | logits = loaded_graph.get_tensor_by_name('predictions:0') 20 | target_sequence_length = loaded_graph.get_tensor_by_name('target_sequence_len:0') 21 | source_sequence_length = loaded_graph.get_tensor_by_name('source_sequence_len:0') 22 | print("inference begin ") 23 | print("inference") 24 | 25 | dataGen.epoch = 1 26 | epoch = dataGen.epoch 27 | while epoch == dataGen.epoch: 28 | output_x,output_label,src_sequence_length,dst_sequence_length=dataGen.next_train_batch() 29 | 30 | 31 | translate_logits=sess.run(fetches=logits,feed_dict={input_data:output_x,target_sequence_length:dst_sequence_length,source_sequence_length:src_sequence_length}) 32 | 33 | for i in range(len(translate_logits)): 34 | obv=[dataGen.tokenid_to_size(output_x[i][j]) for j in range(len(output_x[i]))] 35 | 36 | label = [dataGen.tokenid_to_size(output_label[i][j]) for j in range(len(output_label[i]))] 37 | pre=[dataGen.tokenid_to_size(translate_logits[i][j]) * int(label[j]!=0) for j in range(len(translate_logits[i]))] 38 | print('src length:{0},dst length:{1}'.format(src_sequence_length[i],dst_sequence_length[i])) 39 | print({'obv':obv}) 40 | print({'label':label}) 41 | print({'prediction':pre}) 42 | input('For next line, press enter.') 43 | -------------------------------------------------------------------------------- /seq2seq.py: -------------------------------------------------------------------------------- 1 | #coding:utf8 2 | __author__ = 'jmh081701' 3 | from src.encoder_decoder.utils import DATAPROCESS 4 | import tensorflow as tf 5 | import datetime 6 | from tensorflow.python.ops import array_ops 7 | batch_size = 100 8 | rnn_size = 200 9 | rnn_num_layers = 1 10 | 11 | max_epoch = 500 12 | 13 | 14 | encoder_embedding_size = 50 15 | decoder_embedding_size = 50 16 | # Learning Rate 17 | lr = 1e-3 18 | factor = 0.98 #学习速率的衰减因子 19 | display_step = 10 20 | dataGen = DATAPROCESS(batch_size=batch_size, 21 | seperate_rate=0 22 | ) 23 | 24 | def model_inputs(): 25 | inputs = tf.placeholder(tf.int32, [batch_size, dataGen.src_sentence_length], name="inputs") 26 | targets = tf.placeholder(tf.int32, [batch_size, dataGen.dst_sentence_length], name="targets") 27 | learning_rate = tf.placeholder(tf.float32, name="learning_rate") 28 | 29 | source_sequence_len = tf.placeholder(tf.int32, (batch_size,), name="source_sequence_len") 30 | target_sequence_len = tf.placeholder(tf.int32, (batch_size,), name="target_sequence_len") 31 | max_target_sequence_len = tf.placeholder(tf.int32, (batch_size,), name="max_target_sequence_len") 32 | 33 | return inputs, targets, learning_rate, source_sequence_len, target_sequence_len, max_target_sequence_len 34 | 35 | def encoder_layer(rnn_inputs, rnn_size, rnn_num_layers, 36 | source_sequence_len, source_vocab_size, encoder_embedding_size=100): 37 | 38 | # 对输入的单词进行词向量嵌入 39 | encoder_embed = tf.contrib.layers.embed_sequence(rnn_inputs, source_vocab_size, encoder_embedding_size) 40 | #print(encoder_embed.shape) 41 | # LSTM单元 42 | def get_lstm(rnn_size): 43 | lstm = tf.contrib.rnn.LSTMCell(rnn_size, initializer=tf.random_uniform_initializer(-0.1, 0.1, seed=123)) 44 | return lstm 45 | 46 | # 堆叠rnn_num_layers层LSTM 47 | lstms = tf.contrib.rnn.MultiRNNCell([get_lstm(rnn_size) for _ in range(rnn_num_layers)]) 48 | encoder_outputs, encoder_states = tf.nn.dynamic_rnn(lstms, encoder_embed, 49 | sequence_length=source_sequence_len, 50 | dtype=tf.float32) 51 | #print(encoder_outputs.shape,encoder_states.shape) 52 | return encoder_outputs, encoder_states 53 | 54 | def decoder_layer_inputs(target_data, batch_size): 55 | """ 56 | 对Decoder端的输入进行处理 57 | 58 | @param target_data: 目标语数据的tensor 59 | @param target_vocab_to_int: 目标语数据的词典到索引的映射: dict 60 | @param batch_size: batch size 61 | """ 62 | # 去掉batch中每个序列句子的最后一个单词 63 | ending = tf.strided_slice(target_data, [0, 0], [batch_size, -1], [1, 1]) 64 | 65 | decoder_inputs = tf.concat([tf.fill([batch_size, 1], dataGen.start_token_id),ending], 1) 66 | 67 | return decoder_inputs 68 | 69 | 70 | def decoder_layer(encoder_states, decoder_inputs, target_sequence_len, 71 | max_target_sequence_len, rnn_size, rnn_num_layers, 72 | target_vocab_size, decoder_embedding_size, batch_size, 73 | start_id,end_id,encoder_outputs): 74 | 75 | decoder_embeddings = tf.Variable(tf.random_uniform([target_vocab_size, decoder_embedding_size])) 76 | decoder_embed_input = tf.nn.embedding_lookup(decoder_embeddings, decoder_inputs) 77 | 78 | def get_lstm(rnn_size): 79 | lstm = tf.contrib.rnn.LSTMCell(rnn_size, initializer=tf.random_uniform_initializer(-0.1, 0.1, seed=456)) 80 | return lstm 81 | 82 | decoder_cell = tf.contrib.rnn.MultiRNNCell([get_lstm(rnn_size) for _ in range(rnn_num_layers)]) 83 | 84 | 85 | output_layer = tf.layers.Dense(target_vocab_size) 86 | 87 | with tf.variable_scope("decoder"): 88 | training_helper = tf.contrib.seq2seq.TrainingHelper(inputs=decoder_embed_input, 89 | sequence_length=target_sequence_len, 90 | time_major=False) 91 | print('88,',decoder_embed_input.shape) 92 | #添加注意力机制 93 | #先定义一个Bahda 注意力机制。它是用一个小的神经网络来做打分的,num_units指明这个小的神经网络的大小 94 | attention_mechanism = tf.contrib.seq2seq.BahdanauAttention(num_units=rnn_size,memory=encoder_outputs,memory_sequence_length=source_sequence_len) 95 | #在原来rnn的基础上配上一层AttentionWrapper 96 | decoder_cell_train = tf.contrib.seq2seq.AttentionWrapper(decoder_cell,attention_mechanism,attention_layer_size=rnn_size) 97 | #初始状态设置为encoder最后的输出状态 98 | #初始状态设置为encoder最后的输出状态 99 | training_decoder = tf.contrib.seq2seq.BasicDecoder(decoder_cell_train, 100 | training_helper, 101 | decoder_cell_train.zero_state(batch_size,dtype=tf.float32).clone(cell_state=encoder_states), 102 | output_layer) 103 | print('good94,max_target_sequence_len',max_target_sequence_len) 104 | training_decoder_outputs, _,_ = tf.contrib.seq2seq.dynamic_decode(training_decoder, 105 | impute_finished=False, 106 | maximum_iterations=max_target_sequence_len) 107 | print('98:',training_decoder_outputs.rnn_output.shape) 108 | print('good98') 109 | with tf.variable_scope("decoder", reuse=True): 110 | 111 | start_tokens = tf.tile(tf.constant([dataGen.start_token_id], dtype=tf.int32), [batch_size], name="start_tokens") 112 | inference_helper = tf.contrib.seq2seq.GreedyEmbeddingHelper(decoder_embeddings, 113 | start_tokens, 114 | dataGen.end_token_id) 115 | print('good105') 116 | attention_mechanism_infer = tf.contrib.seq2seq.BahdanauAttention(num_units=rnn_size,memory=encoder_outputs,memory_sequence_length=source_sequence_len) 117 | #加入attention ,加入的方式与train类似 118 | decoder_cell_infer = tf.contrib.seq2seq.AttentionWrapper(decoder_cell,attention_mechanism_infer,attention_layer_size=rnn_size) 119 | inference_decoder = tf.contrib.seq2seq.BasicDecoder(decoder_cell_infer, 120 | inference_helper, 121 | decoder_cell_infer.zero_state(batch_size,dtype=tf.float32).clone(cell_state=encoder_states), 122 | output_layer) 123 | print('good110') 124 | inference_decoder_outputs, _,_ = tf.contrib.seq2seq.dynamic_decode(inference_decoder, 125 | impute_finished=False, 126 | maximum_iterations=max_target_sequence_len) 127 | print('good114') 128 | 129 | return training_decoder_outputs, inference_decoder_outputs 130 | 131 | 132 | 133 | def seq2seq_model(input_data, target_data, batch_size, 134 | source_sequence_len, target_sequence_len, max_target_sentence_len, 135 | source_vocab_size, target_vocab_size, 136 | encoder_embedding_size, decoder_embeding_size, 137 | rnn_size, rnn_num_layers): 138 | encoder_outputs, encoder_states = encoder_layer(input_data, rnn_size, rnn_num_layers, source_sequence_len, 139 | source_vocab_size, encoder_embedding_size) 140 | 141 | decoder_inputs = decoder_layer_inputs(target_data, batch_size) 142 | 143 | training_decoder_outputs, inference_decoder_outputs = decoder_layer(encoder_states=encoder_states, 144 | decoder_inputs=decoder_inputs, 145 | target_sequence_len=target_sequence_len, 146 | max_target_sequence_len=max_target_sentence_len, 147 | rnn_size=rnn_size, 148 | rnn_num_layers=rnn_num_layers, 149 | target_vocab_size=target_vocab_size, 150 | decoder_embedding_size=decoder_embeding_size, 151 | batch_size=batch_size, 152 | start_id=dataGen.start_token_id, 153 | end_id=dataGen.end_token_id, 154 | encoder_outputs=encoder_outputs) 155 | print('good139') 156 | return training_decoder_outputs, inference_decoder_outputs 157 | 158 | 159 | train_graph = tf.Graph() 160 | 161 | with train_graph.as_default(): 162 | inputs, targets, learning_rate, source_sequence_len, target_sequence_len, _ = model_inputs() 163 | 164 | max_target_sequence_len = dataGen.dst_sentence_length 165 | train_logits, inference_logits = seq2seq_model( 166 | input_data= inputs, 167 | target_data= targets, 168 | batch_size=batch_size, 169 | source_sequence_len=source_sequence_len, 170 | target_sequence_len=target_sequence_len, 171 | max_target_sentence_len=max_target_sequence_len, 172 | source_vocab_size=dataGen.vocb_size, 173 | target_vocab_size= dataGen.vocb_size, 174 | encoder_embedding_size= encoder_embedding_size, 175 | decoder_embeding_size= decoder_embedding_size, 176 | rnn_size=rnn_size, 177 | rnn_num_layers=rnn_num_layers) 178 | 179 | training_logits = tf.identity(train_logits.rnn_output, name="logits") 180 | inference_logits = tf.identity(inference_logits.sample_id, name="predictions") 181 | 182 | print('170:',target_sequence_len.get_shape()) 183 | with tf.name_scope("optimization"): 184 | current_ts = tf.to_int32(tf.minimum(tf.shape(targets)[1], tf.shape(training_logits)[1])) 185 | # 对 target 进行截取 186 | target_sequences = tf.slice(targets, begin=[0, 0], size=[-1, current_ts]) 187 | masks = tf.sequence_mask(lengths=target_sequence_len, maxlen=current_ts, dtype=tf.float32) 188 | training_logits = tf.slice(training_logits, begin=[0, 0, 0], size=[-1, current_ts, -1]) 189 | 190 | inference_sample_id = tf.slice(inference_logits, begin=[0, 0], size=[-1, current_ts]) 191 | #valid_loss = tf.reduce_mean(tf.equal(target_sequences,inference_sample_id)) 192 | cost = tf.contrib.seq2seq.sequence_loss(training_logits, 193 | target_sequences, 194 | masks) 195 | 196 | optimizer = tf.train.AdamOptimizer(learning_rate) 197 | 198 | gradients = optimizer.compute_gradients(cost) 199 | clipped_gradients = [(tf.clip_by_value(grad, -1., 1.), var) for grad, var in gradients if grad is not None] 200 | train_op = optimizer.apply_gradients(clipped_gradients) 201 | 202 | with tf.Session(graph=train_graph) as sess: 203 | sess.run(tf.global_variables_initializer()) 204 | try: 205 | loader = tf.train.Saver() 206 | loader.restore(sess, tf.train.latest_checkpoint('./checkpoints')) 207 | print('Load from a history model') 208 | except Exception as exp: 209 | print("Train a new model") 210 | saver = tf.train.Saver() 211 | dataGen.epoch =1 212 | step = 1 213 | epoch = dataGen.epoch 214 | while dataGen.epoch < max_epoch: 215 | output_x,output_label,src_sequence_length,dst_sequence_length=dataGen.next_train_batch() 216 | _, loss = sess.run( 217 | [train_op, cost], 218 | {inputs: output_x, 219 | targets: output_label, 220 | learning_rate: lr, 221 | source_sequence_len: src_sequence_length, 222 | target_sequence_len: dst_sequence_length}) 223 | if dataGen.train_batch_index % display_step == 0 and dataGen.train_batch_index > 0: 224 | print('{0} : Epoch {1:>3} Step {3} - Loss On 验证集: {2:>6.4f}' 225 | .format(datetime.datetime.now(),dataGen.epoch, loss,step)) 226 | 227 | step += 1 228 | if epoch != dataGen.epoch : 229 | epoch = dataGen.epoch 230 | lr *=factor 231 | saver.save(sess,"checkpoints/dev") 232 | #每次epoch保存一次模型 233 | # Save Model 234 | saver.save(sess, "checkpoints/dev") 235 | print('Model Trained and Saved') 236 | -------------------------------------------------------------------------------- /utils.py: -------------------------------------------------------------------------------- 1 | __author__ = 'jmh081701' 2 | import json 3 | import copy 4 | import numpy as np 5 | import random 6 | 7 | from src.df.src.utility import LoadDataWalkieTalkieCW 8 | from src.df.src.utility import Cluster_consecutive_bursts 9 | 10 | class DATAPROCESS: 11 | def __init__(self, 12 | seperate_rate=0.05, 13 | batch_size=100, 14 | observe_length=10, 15 | vocb_size=9520, 16 | is_test=False 17 | ): 18 | 19 | self.obv_length = observe_length 20 | self.seperate_rate =seperate_rate #验证集占比 21 | self.batch_size = batch_size 22 | #data structure to build 23 | self.src_data_raw=[] #全部数据集 24 | self.dst_data_raw =[] 25 | self.src_train_raw=[] #训练集 26 | self.dst_train_raw = [] 27 | self.src_test_raw =[] #测试集 28 | self.dst_test_raw =[] 29 | 30 | self.src_word_embeddings=None #中文词 词向量以及词典 31 | self.src_id2word=None 32 | self.src_word2id=None 33 | self.src_embedding_length =0 34 | 35 | self.dst_word_embeddings=None #英文 词向量以及词典 36 | self.dst_id2word=None 37 | self.dst_word2id=None 38 | self.dst_embedding_length =0 39 | 40 | self.src_cdf=[] #源语 句子长度的累计分布 src_cdf[t]=0.6,表示 P({x<=t}) = 60% 41 | self.dst_cdf=[] #目标语 句子长度的累计分布 dst_cdf[t]=0.6,表示 P({x<=t}) = 60% 42 | 43 | self.src_sentence_length = 40 #encode 输入序列的长度 44 | self.dst_sentence_length = 40 #decode 输出结果序列的长度 45 | 46 | self.last_batch=0 47 | self.epoch =0 48 | self.vocb_size = vocb_size #每个burst_size 属于有正也有负 49 | 50 | self.start_size_id = vocb_size -1 #起始标识 51 | self.end_size_id = 0 #结束标注 52 | self.end_token_id = self.size_to_tokenid(self.end_size_id) 53 | self.start_token_id = self.size_to_tokenid(self.start_size_id) 54 | 55 | self.__load_wordebedding() 56 | self.__load_data(is_test=is_test) 57 | 58 | def size_to_tokenid(self,burst_size): 59 | #把负方向的busrt size 映射到4758维以上 60 | if burst_size < 0: 61 | return self.vocb_size//2 - burst_size 62 | else: 63 | return burst_size 64 | def tokenid_to_size(self,tokenid): 65 | if tokenid >self.vocb_size//2: 66 | return self.vocb_size//2 - tokenid 67 | else: 68 | return tokenid 69 | def __load_wordebedding(self): 70 | print('There is no need to load pretrained embedding wordvector') 71 | pass 72 | def cdf(self,length_list,percentile): 73 | return np.percentile(length_list,percentile) 74 | def _real_length(self,x): 75 | ##x.shape:(1,2300,1) 76 | x = np.array(x) 77 | l= 0 78 | r = x.shape[0] 79 | while l < r: 80 | mid = (l+r)//2 81 | if abs(x[mid])> 0: 82 | l =mid+1 83 | else: 84 | r = mid 85 | return l 86 | def __load_data(self,is_test = False): 87 | 88 | X_train, y_train, X_valid, y_valid, X_test, y_test=LoadDataWalkieTalkieCW(is_cluster=False) 89 | if not is_test: 90 | X=np.concatenate([X_train,X_valid]) 91 | else: 92 | X=X_test 93 | 94 | raw_text = Cluster_consecutive_bursts(X,normalized=False,padding=True,return_array=False) 95 | #每一行就是一个句子,而且是填充好的. 96 | 97 | train_data_rawlines = copy.deepcopy(raw_text) 98 | train_label_rawlines = copy.deepcopy(raw_text) 99 | del raw_text 100 | 101 | total_lines = len(train_data_rawlines) 102 | assert len(train_data_rawlines)==len(train_label_rawlines) 103 | src_len=[] 104 | dst_len=[] 105 | for index in range(total_lines): 106 | #add and seperate valid ,train set. 107 | data= [self.start_size_id] + train_label_rawlines[index] 108 | data =data[:self.src_sentence_length] #把起始的start_burst_size_id加上,然后截断为固定的长度 109 | 110 | if self._real_length(data) <= self.obv_length: 111 | #过滤掉小于观察长度的数据 112 | continue 113 | data=[self.size_to_tokenid(x) for x in data] #把burst_size_id转换为token的表示方法, 114 | #print('full data:',data) 115 | label = copy.deepcopy(data[self.obv_length:]) #这是输入到decoder的 116 | #print('label:',label) 117 | src_len.append(self._real_length(data)) 118 | dst_len.append(self._real_length(label)) 119 | # 120 | data=data[:self.obv_length] #+[self.end_token_id]*(self.src_sentence_length-self.obv_length) #截断!只保留[0,obv_length),obv_length之后的内容全部为0,这是输入为encoder的 121 | #print('obv:',data) 122 | self.src_data_raw.append(data) 123 | self.dst_data_raw.append(label) 124 | 125 | if random.uniform(0,1)