├── FEW_SHOT_INTENT_CLASSIFICATION_BERT.pdf ├── README.md ├── data.py ├── data ├── ATIS │ ├── test │ │ ├── label │ │ ├── seq.in │ │ └── seq.out │ ├── train │ │ ├── check_train_raw_data.py │ │ ├── label │ │ ├── seq.in │ │ └── seq.out │ └── valid │ │ ├── label │ │ ├── seq.in │ │ └── seq.out └── SNIPS │ ├── test │ ├── label │ ├── seq.in │ └── seq.out │ ├── train │ ├── label │ ├── seq.in │ └── seq.out │ └── valid │ ├── label │ ├── seq.in │ └── seq.out ├── model.py ├── net.JPG └── train.py /FEW_SHOT_INTENT_CLASSIFICATION_BERT.pdf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/arijitx/Fewshot-Learning-with-BERT/5c045f25e10db7c3633643e3d74d221528a06cbc/FEW_SHOT_INTENT_CLASSIFICATION_BERT.pdf -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Fewshot-Learning-with-BERT 2 | We attempt to do few shot learning with BERT and prototypical network for Intent classification 3 | 4 | Here is a small paper describing and detailing the approach [paper](https://github.com/arijitx/Fewshot-Learning-with-BERT/raw/master/FEW_SHOT_INTENT_CLASSIFICATION_BERT.pdf) 5 | ![alt text](https://raw.githubusercontent.com/arijitx/Fewshot-Learning-with-BERT/master/net.JPG) 6 | -------------------------------------------------------------------------------- /data.py: -------------------------------------------------------------------------------- 1 | import random 2 | import torch 3 | import re 4 | 5 | from pytorch_pretrained_bert.tokenization import BertTokenizer 6 | 7 | 8 | # https://github.com/huggingface/pytorch-pretrained-BERT/blob/master/examples/extract_features.py 9 | class InputExample(object): 10 | def __init__(self, unique_id, text_a, text_b): 11 | self.unique_id = unique_id 12 | self.text_a = text_a 13 | self.text_b = text_b 14 | 15 | 16 | class InputFeatures(object): 17 | def __init__(self, unique_id, tokens, input_ids, input_mask, input_type_ids): 18 | self.unique_id = unique_id 19 | self.tokens = tokens 20 | self.input_ids = input_ids 21 | self.input_mask = input_mask 22 | self.input_type_ids = input_type_ids 23 | 24 | def __str__(self): 25 | s = '' 26 | s += str(self.unique_id) +'\n' 27 | s += ' '.join(self.tokens) + '\n' 28 | return s 29 | 30 | def convert_examples_to_features(examples, seq_length, tokenizer): 31 | features = [] 32 | for (ex_index, example) in enumerate(examples): 33 | tokens_a = tokenizer.tokenize(example.text_a) 34 | 35 | tokens_b = None 36 | if example.text_b: 37 | tokens_b = tokenizer.tokenize(example.text_b) 38 | 39 | if tokens_b: 40 | _truncate_seq_pair(tokens_a, tokens_b, seq_length - 3) 41 | else: 42 | if len(tokens_a) > seq_length - 2: 43 | tokens_a = tokens_a[0:(seq_length - 2)] 44 | 45 | tokens = [] 46 | input_type_ids = [] 47 | tokens.append("[CLS]") 48 | input_type_ids.append(0) 49 | for token in tokens_a: 50 | tokens.append(token) 51 | input_type_ids.append(0) 52 | tokens.append("[SEP]") 53 | input_type_ids.append(0) 54 | 55 | if tokens_b: 56 | for token in tokens_b: 57 | tokens.append(token) 58 | input_type_ids.append(1) 59 | tokens.append("[SEP]") 60 | input_type_ids.append(1) 61 | 62 | input_ids = tokenizer.convert_tokens_to_ids(tokens) 63 | 64 | input_mask = [1] * len(input_ids) 65 | 66 | while len(input_ids) < seq_length: 67 | input_ids.append(0) 68 | input_mask.append(0) 69 | input_type_ids.append(0) 70 | 71 | assert len(input_ids) == seq_length 72 | assert len(input_mask) == seq_length 73 | assert len(input_type_ids) == seq_length 74 | 75 | # if ex_index < 5: 76 | # print("*** Example ***") 77 | # print("unique_id: %s" % (example.unique_id)) 78 | # print("tokens: %s" % " ".join([str(x) for x in tokens])) 79 | # print("input_ids: %s" % " ".join([str(x) for x in input_ids])) 80 | # print("input_mask: %s" % " ".join([str(x) for x in input_mask])) 81 | # print( 82 | # "input_type_ids: %s" % " ".join([str(x) for x in input_type_ids])) 83 | 84 | features.append( 85 | InputFeatures( 86 | unique_id=example.unique_id, 87 | tokens=tokens, 88 | input_ids=input_ids, 89 | input_mask=input_mask, 90 | input_type_ids=input_type_ids)) 91 | return features 92 | 93 | 94 | def _truncate_seq_pair(tokens_a, tokens_b, max_length): 95 | while True: 96 | total_length = len(tokens_a) + len(tokens_b) 97 | if total_length <= max_length: 98 | break 99 | if len(tokens_a) > len(tokens_b): 100 | tokens_a.pop() 101 | else: 102 | tokens_b.pop() 103 | 104 | 105 | def read_examples(input_file): 106 | examples = [] 107 | unique_id = 0 108 | with open(input_file, "r", encoding='utf-8') as reader: 109 | while True: 110 | line = reader.readline() 111 | if not line: 112 | break 113 | line = line.strip() 114 | text_a = None 115 | text_b = None 116 | m = re.match(r"^(.*) \|\|\| (.*)$", line) 117 | if m is None: 118 | text_a = line 119 | else: 120 | text_a = m.group(1) 121 | text_b = m.group(2) 122 | examples.append( 123 | InputExample(unique_id=unique_id, text_a=text_a, text_b=text_b)) 124 | unique_id += 1 125 | return examples 126 | 127 | 128 | class IntentDset(): 129 | def __init__(self, dataset = 'ATIS', split = 'train', Nc = 10, Ni = 1, n_query = 5): 130 | self.dset = dataset 131 | self.Nc = Nc 132 | self.Ni = Ni 133 | self.n_query = n_query 134 | tokenizer = BertTokenizer.from_pretrained('bert-large-uncased', do_lower_case=True) 135 | 136 | examples = read_examples('data/'+dataset+'/train/seq.in') 137 | features = convert_examples_to_features(examples=examples, seq_length=16, tokenizer=tokenizer) 138 | 139 | self.sents = features 140 | 141 | omit = [] 142 | if dataset == 'ATIS': 143 | omit = ['atis_ground_service#atis_ground_fare','atis_aircraft#atis_flight#atis_flight_no','atis_airline#atis_flight_no','atis_restriction','atis_cheapest'] 144 | omit = set(omit) 145 | 146 | self.labels = open('data/'+dataset+'/'+split+'/label').readlines() 147 | for i in range(len(self.labels)): 148 | self.labels[i] = self.labels[i].strip() 149 | 150 | unqiue_labels = set(self.labels) 151 | unqiue_labels = list(unqiue_labels.difference(omit)) 152 | 153 | self.label2id = dict(zip(unqiue_labels,list(range(len(unqiue_labels))))) 154 | self.id2label = {v: k for k, v in self.label2id.items()} 155 | 156 | self.label_bins = {k:[] for k,_ in self.id2label.items()} 157 | 158 | for i in range(len(self.sents)): 159 | if self.labels[i] in omit: 160 | continue 161 | self.label_bins[self.label2id[self.labels[i]]].append(self.sents[i]) 162 | 163 | self.n_labels = len(self.label2id) 164 | 165 | # for k in self.label_bins: 166 | # print(self.id2label[k],k,len(self.label_bins[k])) 167 | 168 | def next_batch(self): 169 | sup_set = random.sample(range(0,self.n_labels),self.Nc) 170 | # sup_set = list(range(self.n_labels)[:self.Nc]) 171 | 172 | batch = {"sup_set_x":[], "sup_set_y":[], "target_x": [], "target_y": []} 173 | 174 | for n,s in enumerate(sup_set): 175 | idx = random.sample(range(0,len(self.label_bins[s])),self.Ni+self.n_query) 176 | # idx = list(range(len(self.label_bins[s])))[:self.Ni+self.n_query] 177 | for j in range(self.Ni): 178 | i = idx[j] 179 | batch["sup_set_x"].append(self.label_bins[s][i]) 180 | 181 | for j in range(self.n_query): 182 | i = idx[j+self.Ni] 183 | batch["target_x"].append(self.label_bins[s][i]) 184 | 185 | sup_input_ids = torch.tensor([f.input_ids for f in batch['sup_set_x']], dtype=torch.long) 186 | sup_input_mask = torch.tensor([f.input_mask for f in batch['sup_set_x']], dtype=torch.long) 187 | batch["sup_set_x"] = {} 188 | batch['sup_set_x']['input_ids'] = sup_input_ids 189 | batch['sup_set_x']['input_mask'] = sup_input_mask 190 | 191 | target_input_ids = torch.tensor([f.input_ids for f in batch['target_x']], dtype=torch.long) 192 | target_input_mask = torch.tensor([f.input_mask for f in batch['target_x']], dtype=torch.long) 193 | batch["target_x"] = {} 194 | batch['target_x']['input_ids'] = target_input_ids 195 | batch['target_x']['input_mask'] = target_input_mask 196 | 197 | return batch 198 | 199 | # idset = IntentDset(dataset = 'SNIPS', Nc=5) 200 | # while(True): 201 | # batch = idset.next_batch() 202 | # print(batch['sup_set_x']['input_ids'].size()) 203 | # print(batch['sup_set_x']['input_mask'].size()) 204 | # print(batch['target_x']['input_ids'].size()) 205 | # print(batch['target_x']['input_mask'].size()) 206 | # break -------------------------------------------------------------------------------- /data/ATIS/test/label: -------------------------------------------------------------------------------- 1 | atis_flight 2 | atis_airfare 3 | atis_flight 4 | atis_flight 5 | atis_flight 6 | atis_flight 7 | atis_flight 8 | atis_flight 9 | atis_flight 10 | atis_flight 11 | atis_flight 12 | atis_flight 13 | atis_flight#atis_airfare 14 | atis_flight 15 | atis_flight 16 | atis_flight 17 | atis_flight 18 | atis_flight 19 | atis_flight 20 | atis_flight 21 | atis_flight 22 | atis_flight 23 | atis_flight 24 | atis_flight 25 | atis_flight 26 | atis_flight 27 | atis_flight 28 | atis_flight 29 | atis_flight 30 | atis_flight 31 | atis_flight 32 | atis_flight 33 | atis_ground_service 34 | atis_flight 35 | atis_day_name 36 | atis_flight 37 | atis_day_name 38 | atis_flight 39 | atis_flight 40 | atis_flight 41 | atis_flight 42 | atis_flight 43 | atis_flight 44 | atis_flight 45 | atis_flight 46 | atis_flight 47 | atis_flight 48 | atis_flight 49 | atis_flight 50 | atis_flight 51 | atis_meal 52 | atis_meal 53 | atis_flight 54 | atis_flight 55 | atis_flight 56 | atis_flight 57 | atis_flight 58 | atis_flight 59 | atis_flight 60 | atis_flight 61 | atis_flight 62 | atis_flight 63 | atis_flight 64 | atis_flight 65 | atis_flight 66 | atis_flight 67 | atis_flight 68 | atis_flight 69 | atis_flight 70 | atis_flight 71 | atis_flight 72 | atis_flight 73 | atis_flight 74 | atis_flight 75 | atis_flight 76 | atis_flight 77 | atis_flight 78 | atis_flight 79 | atis_flight 80 | atis_flight 81 | atis_flight 82 | atis_flight 83 | atis_flight 84 | atis_flight 85 | atis_flight 86 | atis_flight 87 | atis_flight 88 | atis_flight 89 | atis_flight 90 | atis_flight 91 | atis_flight 92 | atis_flight 93 | atis_flight 94 | atis_airport 95 | atis_flight 96 | atis_flight 97 | atis_flight 98 | atis_flight 99 | atis_flight 100 | atis_flight 101 | atis_flight 102 | atis_flight 103 | atis_flight 104 | atis_airfare 105 | atis_airline 106 | atis_flight_time 107 | atis_flight 108 | atis_flight 109 | atis_city 110 | atis_airline 111 | atis_flight 112 | atis_flight 113 | atis_flight 114 | atis_flight 115 | atis_flight 116 | atis_flight 117 | atis_flight 118 | atis_flight 119 | atis_flight 120 | atis_ground_service 121 | atis_flight 122 | atis_flight 123 | atis_flight 124 | atis_flight 125 | atis_flight 126 | atis_flight 127 | atis_flight 128 | atis_flight 129 | atis_flight 130 | atis_airline 131 | atis_flight 132 | atis_flight 133 | atis_flight 134 | atis_flight 135 | atis_flight 136 | atis_flight 137 | atis_ground_service 138 | atis_ground_fare 139 | atis_ground_fare 140 | atis_flight 141 | atis_ground_service 142 | atis_flight 143 | atis_flight 144 | atis_flight 145 | atis_flight 146 | atis_flight 147 | atis_flight 148 | atis_flight 149 | atis_flight 150 | atis_flight 151 | atis_flight 152 | atis_flight 153 | atis_flight 154 | atis_flight 155 | atis_airline 156 | atis_flight 157 | atis_flight 158 | atis_flight 159 | atis_flight 160 | atis_flight 161 | atis_flight 162 | atis_flight 163 | atis_flight 164 | atis_quantity 165 | atis_quantity 166 | atis_quantity 167 | atis_flight 168 | atis_flight 169 | atis_airport 170 | atis_flight 171 | atis_flight 172 | atis_flight 173 | atis_airfare 174 | atis_airfare 175 | atis_flight 176 | atis_abbreviation 177 | atis_meal 178 | atis_flight 179 | atis_flight 180 | atis_flight 181 | atis_flight 182 | atis_flight 183 | atis_flight 184 | atis_flight 185 | atis_flight 186 | atis_flight 187 | atis_flight 188 | atis_flight 189 | atis_flight 190 | atis_flight 191 | atis_distance 192 | atis_distance 193 | atis_distance 194 | atis_distance 195 | atis_ground_fare 196 | atis_ground_fare 197 | atis_ground_fare 198 | atis_ground_fare 199 | atis_airline 200 | atis_flight 201 | atis_flight 202 | atis_airfare 203 | atis_aircraft 204 | atis_flight 205 | atis_airfare 206 | atis_flight 207 | atis_flight#atis_airfare 208 | atis_flight#atis_airfare 209 | atis_flight#atis_airfare 210 | atis_flight 211 | atis_flight 212 | atis_flight 213 | atis_flight 214 | atis_flight#atis_airfare 215 | atis_airline 216 | atis_airline 217 | atis_distance 218 | atis_flight 219 | atis_flight 220 | atis_flight 221 | atis_flight 222 | atis_flight 223 | atis_flight 224 | atis_flight 225 | atis_flight 226 | atis_flight 227 | atis_flight 228 | atis_flight 229 | atis_flight 230 | atis_airfare#atis_flight 231 | atis_abbreviation 232 | atis_distance 233 | atis_distance 234 | atis_distance 235 | atis_distance 236 | atis_ground_fare 237 | atis_flight 238 | atis_flight 239 | atis_flight 240 | atis_flight 241 | atis_flight 242 | atis_airline 243 | atis_capacity 244 | atis_capacity 245 | atis_flight 246 | atis_flight 247 | atis_flight 248 | atis_flight 249 | atis_flight 250 | atis_flight 251 | atis_flight 252 | atis_airfare 253 | atis_abbreviation 254 | atis_flight 255 | atis_flight 256 | atis_flight 257 | atis_flight 258 | atis_flight 259 | atis_flight 260 | atis_flight 261 | atis_flight 262 | atis_airline 263 | atis_airfare 264 | atis_airfare 265 | atis_flight 266 | atis_flight 267 | atis_flight 268 | atis_flight 269 | atis_flight 270 | atis_flight 271 | atis_flight 272 | atis_flight 273 | atis_flight 274 | atis_flight 275 | atis_flight 276 | atis_flight 277 | atis_flight 278 | atis_flight 279 | atis_flight 280 | atis_flight 281 | atis_abbreviation 282 | atis_flight 283 | atis_flight 284 | atis_flight 285 | atis_flight 286 | atis_flight 287 | atis_flight 288 | atis_flight 289 | atis_flight 290 | atis_flight 291 | atis_flight 292 | atis_abbreviation 293 | atis_airline 294 | atis_flight 295 | atis_flight 296 | atis_flight 297 | atis_flight 298 | atis_flight 299 | atis_flight 300 | atis_flight 301 | atis_flight 302 | atis_flight 303 | atis_flight 304 | atis_flight 305 | atis_airline 306 | atis_flight 307 | atis_flight 308 | atis_flight 309 | atis_flight 310 | atis_airfare 311 | atis_airfare 312 | atis_airfare 313 | atis_airfare 314 | atis_ground_service 315 | atis_flight 316 | atis_ground_service 317 | atis_airline 318 | atis_airfare 319 | atis_flight 320 | atis_flight 321 | atis_flight 322 | atis_flight 323 | atis_flight 324 | atis_flight 325 | atis_flight 326 | atis_flight 327 | atis_abbreviation 328 | atis_flight 329 | atis_flight 330 | atis_meal 331 | atis_ground_service 332 | atis_flight 333 | atis_flight 334 | atis_airfare 335 | atis_abbreviation 336 | atis_airfare 337 | atis_flight 338 | atis_flight 339 | atis_flight 340 | atis_flight 341 | atis_flight 342 | atis_abbreviation 343 | atis_abbreviation 344 | atis_flight 345 | atis_flight 346 | atis_flight 347 | atis_abbreviation 348 | atis_flight 349 | atis_flight 350 | atis_flight 351 | atis_flight 352 | atis_ground_service 353 | atis_flight 354 | atis_ground_service 355 | atis_flight 356 | atis_flight 357 | atis_flight 358 | atis_airline 359 | atis_flight 360 | atis_abbreviation 361 | atis_abbreviation 362 | atis_flight 363 | atis_abbreviation 364 | atis_flight 365 | atis_airline 366 | atis_flight 367 | atis_flight 368 | atis_ground_service 369 | atis_capacity 370 | atis_capacity 371 | atis_flight 372 | atis_ground_service 373 | atis_capacity 374 | atis_flight 375 | atis_airline 376 | atis_flight 377 | atis_flight 378 | atis_ground_service 379 | atis_flight 380 | atis_ground_service 381 | atis_flight 382 | atis_ground_service 383 | atis_aircraft 384 | atis_flight 385 | atis_flight 386 | atis_flight 387 | atis_flight 388 | atis_flight 389 | atis_flight 390 | atis_flight 391 | atis_flight 392 | atis_flight 393 | atis_flight 394 | atis_flight 395 | atis_flight 396 | atis_flight 397 | atis_flight 398 | atis_flight 399 | atis_flight 400 | atis_flight 401 | atis_flight 402 | atis_flight 403 | atis_flight 404 | atis_flight 405 | atis_flight 406 | atis_flight#atis_airfare 407 | atis_flight#atis_airfare 408 | atis_flight#atis_airfare 409 | atis_airfare 410 | atis_airfare 411 | atis_airfare 412 | atis_flight 413 | atis_flight 414 | atis_flight 415 | atis_flight 416 | atis_flight 417 | atis_flight 418 | atis_flight 419 | atis_flight 420 | atis_flight 421 | atis_flight 422 | atis_flight 423 | atis_flight 424 | atis_ground_service 425 | atis_flight 426 | atis_flight 427 | atis_flight 428 | atis_flight 429 | atis_flight 430 | atis_flight 431 | atis_flight 432 | atis_flight 433 | atis_flight 434 | atis_flight 435 | atis_flight 436 | atis_flight 437 | atis_flight 438 | atis_airfare 439 | atis_flight 440 | atis_airfare 441 | atis_airfare 442 | atis_flight 443 | atis_flight 444 | atis_flight 445 | atis_flight 446 | atis_flight 447 | atis_flight 448 | atis_flight 449 | atis_ground_service 450 | atis_flight 451 | atis_ground_service 452 | atis_flight 453 | atis_flight 454 | atis_flight 455 | atis_flight 456 | atis_flight 457 | atis_flight 458 | atis_flight 459 | atis_flight 460 | atis_flight 461 | atis_flight 462 | atis_airfare 463 | atis_flight 464 | atis_flight 465 | atis_airfare 466 | atis_airfare 467 | atis_airfare 468 | atis_airfare 469 | atis_airfare 470 | atis_airfare 471 | atis_flight 472 | atis_flight 473 | atis_flight 474 | atis_flight 475 | atis_flight 476 | atis_flight 477 | atis_flight 478 | atis_flight 479 | atis_flight 480 | atis_flight 481 | atis_flight 482 | atis_flight 483 | atis_flight 484 | atis_flight 485 | atis_ground_service 486 | atis_flight 487 | atis_flight 488 | atis_flight 489 | atis_flight 490 | atis_flight 491 | atis_flight 492 | atis_ground_service 493 | atis_flight#atis_airline 494 | atis_ground_service 495 | atis_flight 496 | atis_ground_service 497 | atis_flight 498 | atis_flight#atis_airfare 499 | atis_flight#atis_airfare 500 | atis_flight_no#atis_airline 501 | atis_flight_no 502 | atis_airport 503 | atis_airport 504 | atis_airport 505 | atis_airport 506 | atis_flight 507 | atis_airport 508 | atis_airport 509 | atis_flight 510 | atis_flight 511 | atis_airline 512 | atis_flight 513 | atis_abbreviation 514 | atis_flight 515 | atis_flight 516 | atis_aircraft 517 | atis_flight 518 | atis_flight 519 | atis_airfare 520 | atis_airfare 521 | atis_flight 522 | atis_ground_service 523 | atis_flight 524 | atis_flight 525 | atis_flight 526 | atis_flight 527 | atis_flight 528 | atis_flight 529 | atis_flight_no 530 | atis_flight 531 | atis_abbreviation 532 | atis_flight 533 | atis_abbreviation 534 | atis_airfare 535 | atis_flight 536 | atis_abbreviation 537 | atis_abbreviation 538 | atis_abbreviation 539 | atis_abbreviation 540 | atis_flight 541 | atis_flight 542 | atis_flight 543 | atis_airline 544 | atis_flight 545 | atis_flight 546 | atis_airline 547 | atis_flight 548 | atis_abbreviation 549 | atis_flight 550 | atis_abbreviation 551 | atis_abbreviation 552 | atis_abbreviation 553 | atis_abbreviation 554 | atis_flight 555 | atis_flight 556 | atis_flight 557 | atis_flight 558 | atis_flight 559 | atis_flight 560 | atis_flight 561 | atis_flight 562 | atis_flight 563 | atis_flight 564 | atis_flight 565 | atis_flight 566 | atis_airline 567 | atis_ground_service 568 | atis_ground_service 569 | atis_flight 570 | atis_flight 571 | atis_flight 572 | atis_airline 573 | atis_airline 574 | atis_airline 575 | atis_airline 576 | atis_airline 577 | atis_flight 578 | atis_airline 579 | atis_flight 580 | atis_flight 581 | atis_flight 582 | atis_airline 583 | atis_flight 584 | atis_flight 585 | atis_airline 586 | atis_ground_service 587 | atis_flight 588 | atis_ground_service 589 | atis_flight 590 | atis_flight 591 | atis_flight 592 | atis_flight 593 | atis_flight 594 | atis_flight 595 | atis_abbreviation 596 | atis_flight 597 | atis_abbreviation 598 | atis_abbreviation 599 | atis_airline 600 | atis_airline 601 | atis_airline 602 | atis_airline 603 | atis_flight 604 | atis_flight 605 | atis_flight#atis_airfare 606 | atis_flight 607 | atis_flight 608 | atis_flight 609 | atis_airline 610 | atis_flight 611 | atis_flight 612 | atis_flight 613 | atis_flight 614 | atis_flight 615 | atis_flight 616 | atis_flight 617 | atis_flight 618 | atis_flight 619 | atis_flight 620 | atis_flight 621 | atis_flight 622 | atis_distance 623 | atis_airport 624 | atis_airport 625 | atis_airport 626 | atis_airport 627 | atis_airport 628 | atis_airport 629 | atis_airport 630 | atis_city 631 | atis_city 632 | atis_flight 633 | atis_flight 634 | atis_flight 635 | atis_flight 636 | atis_flight 637 | atis_flight 638 | atis_flight 639 | atis_flight 640 | atis_flight 641 | atis_flight 642 | atis_aircraft 643 | atis_flight#atis_airfare 644 | atis_abbreviation 645 | atis_flight 646 | atis_airfare 647 | atis_airfare 648 | atis_flight 649 | atis_flight 650 | atis_flight 651 | atis_flight 652 | atis_flight 653 | atis_airline 654 | atis_flight 655 | atis_capacity 656 | atis_flight 657 | atis_ground_service 658 | atis_ground_service 659 | atis_flight 660 | atis_flight 661 | atis_flight 662 | atis_flight 663 | atis_airfare 664 | atis_flight 665 | atis_airfare 666 | atis_flight 667 | atis_flight 668 | atis_flight 669 | atis_flight 670 | atis_flight 671 | atis_flight 672 | atis_flight 673 | atis_flight 674 | atis_flight 675 | atis_flight 676 | atis_flight 677 | atis_flight 678 | atis_flight 679 | atis_flight 680 | atis_flight 681 | atis_flight 682 | atis_flight 683 | atis_flight 684 | atis_flight 685 | atis_flight 686 | atis_flight 687 | atis_airfare 688 | atis_airfare 689 | atis_flight_no 690 | atis_flight_no 691 | atis_flight 692 | atis_flight_no 693 | atis_flight_no 694 | atis_flight_no 695 | atis_flight_no 696 | atis_airfare 697 | atis_airfare 698 | atis_flight 699 | atis_flight 700 | atis_flight 701 | atis_flight 702 | atis_flight 703 | atis_flight 704 | atis_flight 705 | atis_airfare 706 | atis_airfare 707 | atis_flight 708 | atis_flight 709 | atis_flight 710 | atis_flight 711 | atis_flight 712 | atis_flight 713 | atis_flight 714 | atis_flight 715 | atis_flight 716 | atis_flight 717 | atis_flight 718 | atis_flight 719 | atis_flight 720 | atis_flight 721 | atis_flight 722 | atis_flight 723 | atis_flight 724 | atis_flight 725 | atis_flight 726 | atis_city 727 | atis_city 728 | atis_city 729 | atis_flight 730 | atis_flight 731 | atis_flight 732 | atis_flight 733 | atis_abbreviation 734 | atis_aircraft 735 | atis_abbreviation 736 | atis_airport 737 | atis_flight 738 | atis_flight 739 | atis_flight 740 | atis_meal 741 | atis_meal 742 | atis_flight 743 | atis_flight 744 | atis_flight 745 | atis_flight 746 | atis_airfare 747 | atis_airfare 748 | atis_airfare 749 | atis_airfare 750 | atis_airfare 751 | atis_flight 752 | atis_flight 753 | atis_flight 754 | atis_flight 755 | atis_flight 756 | atis_flight 757 | atis_flight 758 | atis_flight 759 | atis_flight 760 | atis_capacity 761 | atis_capacity 762 | atis_capacity 763 | atis_capacity 764 | atis_capacity 765 | atis_capacity 766 | atis_airline 767 | atis_airline 768 | atis_airline 769 | atis_flight 770 | atis_capacity 771 | atis_abbreviation 772 | atis_capacity 773 | atis_capacity 774 | atis_capacity 775 | atis_capacity 776 | atis_flight 777 | atis_flight 778 | atis_flight 779 | atis_capacity 780 | atis_aircraft 781 | atis_aircraft 782 | atis_aircraft 783 | atis_capacity 784 | atis_capacity 785 | atis_capacity 786 | atis_flight 787 | atis_flight 788 | atis_flight 789 | atis_flight 790 | atis_flight 791 | atis_ground_service 792 | atis_flight 793 | atis_abbreviation 794 | atis_ground_service 795 | atis_ground_service 796 | atis_ground_service 797 | atis_ground_service 798 | atis_flight 799 | atis_flight 800 | atis_ground_service 801 | atis_flight 802 | atis_flight 803 | atis_flight 804 | atis_flight 805 | atis_airline 806 | atis_flight 807 | atis_flight 808 | atis_flight 809 | atis_flight 810 | atis_flight 811 | atis_airfare 812 | atis_flight 813 | atis_flight 814 | atis_flight 815 | atis_flight 816 | atis_flight 817 | atis_flight 818 | atis_flight 819 | atis_flight 820 | atis_flight 821 | atis_aircraft 822 | atis_flight 823 | atis_flight 824 | atis_flight 825 | atis_flight 826 | atis_flight 827 | atis_ground_service 828 | atis_ground_service 829 | atis_flight 830 | atis_flight 831 | atis_flight 832 | atis_flight 833 | atis_flight 834 | atis_flight 835 | atis_flight 836 | atis_flight 837 | atis_flight 838 | atis_flight 839 | atis_flight 840 | atis_flight 841 | atis_flight 842 | atis_flight 843 | atis_flight 844 | atis_flight 845 | atis_flight 846 | atis_flight 847 | atis_flight 848 | atis_flight 849 | atis_flight 850 | atis_flight 851 | atis_flight 852 | atis_flight 853 | atis_flight 854 | atis_flight 855 | atis_flight 856 | atis_flight 857 | atis_flight 858 | atis_flight 859 | atis_flight 860 | atis_flight 861 | atis_flight 862 | atis_flight 863 | atis_flight 864 | atis_flight 865 | atis_flight 866 | atis_flight 867 | atis_flight 868 | atis_flight 869 | atis_flight 870 | atis_flight 871 | atis_flight 872 | atis_flight 873 | atis_flight 874 | atis_flight 875 | atis_flight 876 | atis_flight 877 | atis_flight 878 | atis_flight 879 | atis_flight 880 | atis_flight 881 | atis_flight 882 | atis_airline 883 | atis_flight 884 | atis_flight 885 | atis_flight 886 | atis_airport 887 | atis_flight 888 | atis_airport 889 | atis_flight 890 | atis_flight 891 | atis_flight 892 | atis_flight 893 | atis_flight 894 | -------------------------------------------------------------------------------- /data/ATIS/train/check_train_raw_data.py: -------------------------------------------------------------------------------- 1 | label_data = open("label", encoding='utf-8').readlines() 2 | label_data = [x.strip() for x in label_data] 3 | print(len(label_data)) 4 | label_kinds = set(label_data) 5 | print(label_kinds) -------------------------------------------------------------------------------- /data/ATIS/valid/label: -------------------------------------------------------------------------------- 1 | atis_flight 2 | atis_flight 3 | atis_flight 4 | atis_flight 5 | atis_flight 6 | atis_flight 7 | atis_flight 8 | atis_flight 9 | atis_flight 10 | atis_flight 11 | atis_flight 12 | atis_airfare 13 | atis_flight 14 | atis_airfare 15 | atis_flight 16 | atis_flight 17 | atis_flight 18 | atis_flight 19 | atis_restriction 20 | atis_ground_service 21 | atis_abbreviation 22 | atis_flight 23 | atis_flight 24 | atis_flight 25 | atis_flight 26 | atis_flight 27 | atis_flight 28 | atis_flight 29 | atis_flight 30 | atis_flight 31 | atis_flight 32 | atis_aircraft 33 | atis_flight 34 | atis_flight 35 | atis_flight 36 | atis_flight 37 | atis_airfare 38 | atis_flight 39 | atis_flight 40 | atis_flight 41 | atis_flight 42 | atis_airline 43 | atis_flight 44 | atis_flight 45 | atis_flight 46 | atis_flight 47 | atis_flight 48 | atis_flight 49 | atis_flight 50 | atis_quantity 51 | atis_flight_time 52 | atis_flight 53 | atis_flight 54 | atis_flight 55 | atis_flight 56 | atis_ground_service 57 | atis_flight 58 | atis_flight 59 | atis_flight 60 | atis_flight_time 61 | atis_flight 62 | atis_flight_time 63 | atis_distance 64 | atis_aircraft 65 | atis_flight 66 | atis_flight#atis_airfare 67 | atis_flight 68 | atis_flight 69 | atis_airfare 70 | atis_flight 71 | atis_airfare 72 | atis_flight 73 | atis_flight 74 | atis_flight 75 | atis_flight 76 | atis_quantity 77 | atis_flight_time 78 | atis_ground_service 79 | atis_flight 80 | atis_flight 81 | atis_flight 82 | atis_flight 83 | atis_flight 84 | atis_ground_service 85 | atis_flight 86 | atis_flight 87 | atis_flight 88 | atis_ground_fare 89 | atis_flight 90 | atis_flight_time 91 | atis_flight 92 | atis_capacity 93 | atis_flight 94 | atis_flight 95 | atis_flight_time 96 | atis_flight 97 | atis_flight 98 | atis_airfare 99 | atis_airfare 100 | atis_flight 101 | atis_flight 102 | atis_flight 103 | atis_flight 104 | atis_flight 105 | atis_flight 106 | atis_flight 107 | atis_flight 108 | atis_flight 109 | atis_flight 110 | atis_flight 111 | atis_flight 112 | atis_flight 113 | atis_flight 114 | atis_flight 115 | atis_flight 116 | atis_flight 117 | atis_flight 118 | atis_flight 119 | atis_airfare 120 | atis_flight 121 | atis_flight 122 | atis_flight 123 | atis_flight 124 | atis_flight 125 | atis_flight 126 | atis_flight 127 | atis_aircraft 128 | atis_abbreviation 129 | atis_airfare 130 | atis_flight 131 | atis_flight 132 | atis_flight 133 | atis_flight 134 | atis_flight 135 | atis_airline 136 | atis_flight 137 | atis_abbreviation 138 | atis_flight 139 | atis_airfare 140 | atis_airfare 141 | atis_airfare 142 | atis_flight 143 | atis_airfare 144 | atis_airfare 145 | atis_flight 146 | atis_flight 147 | atis_airfare 148 | atis_flight 149 | atis_flight 150 | atis_airline 151 | atis_airfare 152 | atis_flight 153 | atis_flight 154 | atis_flight 155 | atis_flight 156 | atis_flight 157 | atis_flight 158 | atis_flight 159 | atis_flight 160 | atis_flight 161 | atis_flight 162 | atis_airfare 163 | atis_airline 164 | atis_quantity 165 | atis_flight 166 | atis_flight 167 | atis_flight 168 | atis_aircraft 169 | atis_flight 170 | atis_flight 171 | atis_city 172 | atis_quantity 173 | atis_flight 174 | atis_flight 175 | atis_flight 176 | atis_flight 177 | atis_flight 178 | atis_flight 179 | atis_flight 180 | atis_airfare 181 | atis_airfare 182 | atis_flight 183 | atis_flight 184 | atis_flight 185 | atis_flight 186 | atis_flight 187 | atis_flight 188 | atis_flight 189 | atis_airline 190 | atis_airfare 191 | atis_flight 192 | atis_flight 193 | atis_flight 194 | atis_quantity 195 | atis_flight 196 | atis_flight 197 | atis_flight 198 | atis_flight 199 | atis_flight 200 | atis_flight 201 | atis_flight 202 | atis_flight 203 | atis_flight 204 | atis_flight 205 | atis_flight 206 | atis_flight 207 | atis_flight 208 | atis_flight 209 | atis_flight 210 | atis_airfare 211 | atis_aircraft 212 | atis_flight 213 | atis_flight 214 | atis_ground_service 215 | atis_airport 216 | atis_flight 217 | atis_flight 218 | atis_airfare 219 | atis_flight 220 | atis_flight 221 | atis_flight 222 | atis_abbreviation 223 | atis_flight 224 | atis_flight_time 225 | atis_airline 226 | atis_quantity 227 | atis_flight 228 | atis_flight 229 | atis_flight 230 | atis_flight 231 | atis_flight 232 | atis_flight 233 | atis_flight 234 | atis_flight 235 | atis_flight 236 | atis_flight 237 | atis_airfare 238 | atis_flight 239 | atis_ground_service 240 | atis_flight 241 | atis_flight 242 | atis_flight 243 | atis_flight 244 | atis_ground_service 245 | atis_flight 246 | atis_flight 247 | atis_flight 248 | atis_flight 249 | atis_abbreviation 250 | atis_flight 251 | atis_flight_time 252 | atis_flight 253 | atis_flight 254 | atis_abbreviation 255 | atis_aircraft 256 | atis_flight 257 | atis_flight 258 | atis_flight 259 | atis_flight 260 | atis_airfare 261 | atis_airline 262 | atis_flight 263 | atis_flight 264 | atis_aircraft 265 | atis_flight 266 | atis_ground_service 267 | atis_flight 268 | atis_flight 269 | atis_flight 270 | atis_flight 271 | atis_flight 272 | atis_flight_time 273 | atis_flight 274 | atis_flight 275 | atis_ground_service 276 | atis_ground_service 277 | atis_airfare 278 | atis_distance 279 | atis_flight 280 | atis_flight 281 | atis_ground_service 282 | atis_airfare 283 | atis_ground_service 284 | atis_flight 285 | atis_flight 286 | atis_flight 287 | atis_flight 288 | atis_flight 289 | atis_airline 290 | atis_flight 291 | atis_flight 292 | atis_flight 293 | atis_ground_service 294 | atis_abbreviation 295 | atis_flight 296 | atis_flight 297 | atis_flight 298 | atis_flight 299 | atis_flight 300 | atis_aircraft 301 | atis_flight 302 | atis_flight 303 | atis_flight 304 | atis_flight 305 | atis_flight 306 | atis_flight 307 | atis_airfare 308 | atis_flight 309 | atis_flight 310 | atis_flight 311 | atis_flight 312 | atis_flight 313 | atis_flight 314 | atis_flight 315 | atis_flight 316 | atis_flight 317 | atis_flight 318 | atis_flight 319 | atis_flight 320 | atis_flight 321 | atis_flight 322 | atis_flight 323 | atis_abbreviation 324 | atis_flight 325 | atis_airfare 326 | atis_flight 327 | atis_abbreviation 328 | atis_flight 329 | atis_abbreviation 330 | atis_flight 331 | atis_flight 332 | atis_flight 333 | atis_flight 334 | atis_quantity 335 | atis_flight 336 | atis_airfare 337 | atis_airfare 338 | atis_flight 339 | atis_flight 340 | atis_flight 341 | atis_flight 342 | atis_abbreviation 343 | atis_flight 344 | atis_flight 345 | atis_flight 346 | atis_flight 347 | atis_flight 348 | atis_flight 349 | atis_flight 350 | atis_flight 351 | atis_airfare 352 | atis_flight 353 | atis_flight 354 | atis_flight 355 | atis_flight 356 | atis_flight 357 | atis_flight 358 | atis_flight 359 | atis_flight 360 | atis_airline 361 | atis_flight 362 | atis_flight 363 | atis_ground_service 364 | atis_flight 365 | atis_flight 366 | atis_flight 367 | atis_flight 368 | atis_flight 369 | atis_flight 370 | atis_flight 371 | atis_flight 372 | atis_flight 373 | atis_flight 374 | atis_flight 375 | atis_flight 376 | atis_airfare 377 | atis_flight 378 | atis_flight 379 | atis_ground_service 380 | atis_airline 381 | atis_flight 382 | atis_ground_service 383 | atis_flight 384 | atis_aircraft 385 | atis_flight 386 | atis_abbreviation 387 | atis_flight 388 | atis_flight 389 | atis_ground_service 390 | atis_flight 391 | atis_airfare 392 | atis_flight 393 | atis_abbreviation 394 | atis_airport 395 | atis_flight 396 | atis_flight 397 | atis_ground_service 398 | atis_flight 399 | atis_abbreviation 400 | atis_flight 401 | atis_ground_service 402 | atis_flight 403 | atis_airline 404 | atis_flight 405 | atis_airline 406 | atis_quantity 407 | atis_flight 408 | atis_flight 409 | atis_flight 410 | atis_flight 411 | atis_abbreviation 412 | atis_flight 413 | atis_airline 414 | atis_airfare 415 | atis_quantity 416 | atis_flight 417 | atis_flight 418 | atis_airfare#atis_flight_time 419 | atis_airline 420 | atis_ground_service 421 | atis_distance 422 | atis_flight 423 | atis_flight 424 | atis_ground_service 425 | atis_flight 426 | atis_flight 427 | atis_flight 428 | atis_flight 429 | atis_flight 430 | atis_flight 431 | atis_abbreviation 432 | atis_flight 433 | atis_flight 434 | atis_flight 435 | atis_flight 436 | atis_flight 437 | atis_flight 438 | atis_flight 439 | atis_flight 440 | atis_flight 441 | atis_flight 442 | atis_airfare 443 | atis_flight 444 | atis_airline 445 | atis_flight 446 | atis_airfare 447 | atis_flight 448 | atis_flight 449 | atis_airfare 450 | atis_flight 451 | atis_airport 452 | atis_flight 453 | atis_flight 454 | atis_flight 455 | atis_flight#atis_airfare 456 | atis_airline 457 | atis_flight 458 | atis_ground_service 459 | atis_flight 460 | atis_flight 461 | atis_flight 462 | atis_flight 463 | atis_flight 464 | atis_flight 465 | atis_flight 466 | atis_flight 467 | atis_ground_service 468 | atis_ground_service 469 | atis_flight 470 | atis_abbreviation 471 | atis_airline 472 | atis_ground_fare 473 | atis_flight 474 | atis_flight 475 | atis_flight 476 | atis_flight 477 | atis_flight 478 | atis_airline 479 | atis_flight 480 | atis_flight 481 | atis_flight 482 | atis_aircraft 483 | atis_flight 484 | atis_ground_fare 485 | atis_aircraft 486 | atis_flight 487 | atis_flight 488 | atis_flight 489 | atis_flight 490 | atis_flight 491 | atis_airfare 492 | atis_quantity 493 | atis_flight 494 | atis_flight 495 | atis_flight 496 | atis_flight 497 | atis_flight 498 | atis_flight 499 | atis_ground_service 500 | atis_flight 501 | -------------------------------------------------------------------------------- /data/ATIS/valid/seq.in: -------------------------------------------------------------------------------- 1 | i want to fly from boston at 838 am and arrive in denver at 1110 in the morning 2 | show me all round trip flights between houston and las vegas 3 | i would like some information on a flight from denver to san francisco on united airlines 4 | what are the coach flights between dallas and baltimore leaving august tenth and returning august twelve 5 | i'm flying from boston to the bay area 6 | okay can you tell me the flight cost between denver and atlanta 7 | from montreal to las vegas 8 | what is the earliest breakfast flight from philadelphia to fort worth 9 | flights from pittsburgh to baltimore between 10 am and 2 pm 10 | what is the latest flight departing from boston to san francisco 11 | flights from ontario to florida 12 | i would like to know the first class fare on a flight from baltimore to denver 13 | okay that sounds great let's go from atlanta on april twenty one in the morning to dallas least expensive fare one way 14 | show me the prices of all flights from atlanta to washington dc 15 | flights from cincinnati to o'hare departing after 718 am american 16 | i'm interested in a flight from pittsburgh to atlanta 17 | i am interested in booking an early morning flight from dallas into houston on february twenty second and returning late in the evening of february twenty second 18 | i'm looking for a flight from oakland to denver with a stopover in dallas fort worth 19 | what's restriction ap68 20 | what types of ground transportation are available in philadelphia 21 | what does the abbreviation co mean 22 | a first class flight on american to san francisco on the coming tuesday 23 | please list the flights from baltimore to san francisco on fridays 24 | what flights return from denver to philadelphia on a saturday 25 | on united airlines flying from denver to san francisco before 10 am what type of aircraft is used 26 | i need a flight from atlanta to baltimore nonstop arriving at 7 pm please 27 | what are the cheapest round trip flights from denver to atlanta 28 | does continental fly from denver to san francisco 29 | i would like a nonstop flight from st. petersburg to charlotte leaving in the afternoon 30 | on continental airlines any class service from san francisco to pittsburgh 31 | find me the cheapest flight from boston to washington 32 | well i'll try last time tell me the kind of aircraft united airlines flies from denver to san francisco before 10 o'clock in the morning 33 | show me the northwest flights from detroit to st. petersburg 34 | morning flights from pittsburgh to atlanta on wednesday 35 | show me flights first class from san francisco to pittsburgh leaving on tuesday after 8 o'clock in the morning and before 12 noon 36 | what's the most expensive way i can fly to washington 37 | show me the cheapest one way fare from baltimore to dallas 38 | flights from boston flights from philadelphia to boston on monday 39 | list nonstop flights from houston to dallas which arrive before midnight 40 | i need a flight to seattle leaving from baltimore making a stop in minneapolis 41 | philadelphia to san francisco please 42 | airline that stands for dl 43 | i'd like a cheap flight from dallas to baltimore on january first 44 | what flights are available friday from san francisco to boston 45 | show me saturday and sunday's flights from milwaukee to phoenix on american airlines 46 | what flights from st. paul to kansas city on friday with lunch served 47 | what flights from toronto to philadelphia 48 | what flights leave from atlanta to boston on june twenty ninth in the afternoon 49 | what flights leave la guardia for san jose and arrive 10 pm 50 | list the total number of flights to all airports by delta 51 | can you tell me the time a flight would leave from atlanta to boston in the afternoon 52 | show me the united airlines flights from denver to baltimore leaving on june fourteenth 53 | please list all flights from dallas to philadelphia on monday 54 | show me the flights from cleveland to memphis 55 | please give me flights from atlanta to boston on wednesday and thursday 56 | show me ground transportation in philadelphia on monday morning 57 | what delta leaves boston for atlanta 58 | find me the earliest boston departure and the latest atlanta return trip so that i can be on the ground the maximum amount of time in atlanta and return to boston on the same day 59 | show me flights from boston to washington leaving july fifteen 60 | i would like the time of your earliest flight in the morning from philadelphia to washington on american airlines 61 | show me the flights from baltimore to boston 62 | please list the flight schedule from baltimore to san francisco on friday nights 63 | how long is a trip from philadelphia airport to downtown philadelphia 64 | sure i'd like to determine what aircraft are use on july seventh leaving from boston and arriving in atlanta on july seventh 65 | baltimore to philadelphia 66 | what are the flights and fares from atlanta to philadelphia 67 | united airlines flights stopping in denver 68 | what flights are available wednesday afternoon from denver to san francisco 69 | round trip fares from denver to philadelphia less than 1000 dollars 70 | list the first class flights from baltimore to denver 71 | what are the fares from newark to la monday and wednesday 72 | what flights from chicago to kansas city 73 | please show me flights from dallas to atlanta on monday 74 | flights to baltimore 75 | show me the latest flight to love field 76 | how many of delta's night flights are first class 77 | on united airlines give me the flight times from boston to dallas 78 | show me the ground transportation schedule in philadelphia in the morning on wednesday 79 | what is the last flight from boston to atlanta 80 | what flights fly from denver to san francisco on monday tuesday wednesday thursday and friday 81 | show me the flights from boston to philadelphia 82 | i also need to go to san francisco on wednesday evening from dallas 83 | from kansas city to salt lake city on delta arrive around 8 pm tomorrow 84 | in new york i'll need to rent a car 85 | show me flights from denver to boston on thursday 86 | i would like to book a flight from charlotte to baltimore on april eighth 87 | flights from oakland to san francisco on january twenty first 1992 88 | how much is a limousine between dallas fort worth international airport and dallas 89 | is there a flight from boston to san francisco making a stopover in dallas fort worth 90 | what time are the flights from baltimore to san francisco 91 | from las vegas to phoenix departing in the morning 92 | how many passengers can a boeing 737 hold 93 | i would like a flight that leaves on friday from philadelphia to dallas that makes a stop in atlanta 94 | thank you for that information now i would like information on a flight on april sixteen from atlanta to philadelphia early in the morning 95 | what time is the last flight from washington to san francisco 96 | show me the least expensive flight leaving miami on sunday after 12 o'clock noon and arriving cleveland 97 | what do you have tomorrow morning from pittsburgh to atlanta 98 | how much is the cheapest flight from denver to pittsburgh 99 | what is the cheapest one way fare from pittsburgh to atlanta traveling on tuesday august twentieth 100 | show me the flights from denver to san diego leaving after 5 pm 101 | what is the latest first class flight of the day leaving dallas for san francisco 102 | show me a list of flights from pittsburgh to baltimore on august third 103 | show morning flights from san francisco to pittsburgh 104 | what are the flights from memphis to tacoma 105 | can you list all nonstop flights between st. petersburg and charlotte that leave in the afternoon and arrive soon after 5 pm 106 | show me all united flights from denver to san francisco for september first 1991 107 | are there wednesday morning flights between pittsburgh and boston 108 | list all american airlines from milwaukee to phoenix on saturday 109 | give me the flights on december twenty seventh with the fares from indianapolis to orlando 110 | okay all right do you have a flight on united airlines from atlanta to washington 111 | show flights from denver to oakland arriving between 12 and 1 o'clock 112 | list all nonstop flights on sunday from tampa to charlotte 113 | i would like to make a one way flight from boston to atlanta 114 | is there a flight in the afternoon from philadelphia that arrives in the evening in denver 115 | what is the first flight from atlanta to baltimore that serves lunch 116 | list list flights between oakland and denver 117 | please give me a flight from boston to atlanta before 10 am in the morning 118 | list the nonstop flights early tuesday morning from dallas to atlanta 119 | what's the lowest round trip fare from denver to pittsburgh 120 | please arrange a flight for me from denver to san francisco on us air 121 | i would like to see information for flights from san francisco leaving after 12 pm to pittsburgh on monday 122 | show me the cheapest flight from pittsburgh to atlanta on wednesday which leaves before noon and serves breakfast 123 | what is the earliest flight from washington to san francisco 124 | list flights from pittsburgh to los angeles which leave on thursday after 5 pm 125 | list the flights from new york to miami on a tuesday which are nonstop and cost less than 466 dollars 126 | list flights from denver to san francisco no denver to philadelphia 127 | i need to find a plane from boston to san francisco on friday 128 | what does lax stand for 129 | show prices for all flights from baltimore to dallas on july twenty ninth 130 | what flights are available from boston to washington late monday evening or early tuesday morning 131 | what flights from washington dc to toronto 132 | all flights from boston to washington dc on november eleventh before 10 am 133 | list all flights from denver to philadelphia 134 | i need a list of late afternoon flights from st. louis to chicago 135 | show me the airlines for flights to or from love field 136 | do you have any flights from chicago to indianapolis 137 | what does yn stand for 138 | shortest flights from nashville to st. petersburg 139 | what are the fares for flights between atlanta and dfw 140 | list the fares of midway airlines flights from boston to philadelphia 141 | round trip fares from denver to philadelphia less than 1000 dollars 142 | is there a continental flight leaving from las vegas to new york nonstop 143 | i need the cost of a ticket going from denver to baltimore a first class ticket on united airlines 144 | show me fares from philadelphia to san francisco on thursday morning 145 | show me the round trip flights between phoenix and salt lake city 146 | show me all the flights from denver to baltimore arriving may tenth 147 | find the cheapest one way fare from boston to san francisco 148 | show me the flights from boston to san francisco 149 | please show me the flights from boston to san francisco 150 | show me the airlines from love field 151 | show business class fares on us air from boston to toronto 152 | what is the latest flight leaving las vegas for ontario 153 | flights from las vegas to phoenix 154 | does flight ua 270 from denver to philadelphia have a meal 155 | what nonstop flights are available from oakland to philadelphia arriving between 5 and 6 pm 156 | give me the flights for american airline from philadelphia to dallas 157 | show me the evening flights from atlanta to washington on wednesdays 158 | i would like a coach class seat on a flight leaving denver arriving atlanta 159 | can you list all the flights between phoenix and las vegas 160 | show me the qx fare flights between atlanta and oakland on delta airlines 161 | what afternoon flights are available between denver and dallas fort worth 162 | fares and flights from pittsburgh to philadelphia 163 | can you tell me what airline flies between denver and san francisco 164 | how many flights does each airline have with booking class k 165 | great now what i want to find out is on april twentieth from washington to denver do you have a flight least expensive fare around 5 o'clock in the morning 166 | show me all direct flights from san francisco to boston departing before noon 167 | i need a flight on thursday before 8 am from oakland to salt lake city 168 | show me all the types of aircraft 169 | i want a flight on continental from boston to san francisco 170 | show flights from pittsburgh into san francisco 171 | what city is mco 172 | how many cities are served by american airline with first class flights 173 | could you please show me all flights from charlotte to milwaukee 174 | what flights depart san francisco after 4 pm and fly to washington via indianapolis 175 | i would like to see the flights from denver to philadelphia 176 | show me the flights that go from san diego to newark new jersey by way of houston 177 | i would like information on flights from denver to san francisco after noon on wednesday 178 | show me the flights from boston to pittsburgh 179 | show me all flights from san diego to new york nonstop 180 | show me the round trip tickets from baltimore to atlanta 181 | show me the cheapest one way fares from san diego to miami 182 | could you show me all weekday flights from phoenix to denver 183 | i would like to fly from boston to philadelphia next thursday 184 | i'm planning a trip to pittsburgh and i live in denver can you help me 185 | i would like to find the least expensive flight from boston to denver 186 | i would like to go from atlanta to denver on tuesday 187 | atlanta to pittsburgh july twenty third 188 | show me the flights from boston to atlanta 189 | what airlines fly from burbank to denver 190 | okay we're going from washington to denver first class ticket i'd like to know the cost of a first class ticket 191 | i wish to book a flight from pittsburgh to atlanta coach discount fare 192 | is it possible for me to fly from baltimore to san francisco 193 | i want to fly from denver to san francisco with at least one stop 194 | how many us air flights leave from washington 195 | please list any flight available leaving oakland california tuesday arriving philadelphia wednesday 196 | i'd like to find a flight from las vegas to detroit michigan that leaves in the afternoon on monday 197 | are there any flights from denver to pittsburgh with stops in atlanta 198 | i'd like to know the information from boston to philadelphia nonstop 199 | show me all flights from denver to philadelphia on saturday after sunday which leave after noon 200 | what are the flights from dallas to baltimore 201 | do you have a flight from san francisco to atlanta around 8 am 202 | what flights from seattle to salt lake city 203 | what is the cheapest flight from boston to bwi 204 | are there any flights from new york to los angeles which stop over in milwaukee 205 | what is the earliest flight from oakland to washington dc on sunday 206 | are there any turboprop flights from pittsburgh to baltimore on december seventeenth 207 | show me the morning flights from boston to philadelphia 208 | newark to cleveland daily 209 | evening flights from philadelphia to oakland 210 | show me prices and times for first class travel from baltimore to dallas next summer 211 | what kind of plane flies from boston to pittsburgh after noon 212 | i'd like to know what flights united airline has from dallas to san francisco 213 | show me morning flights from toronto 214 | what ground transportation is available at the boston airport 215 | where do the flights from boston to oakland stop 216 | show me the earliest flight from boston to san francisco 217 | flights from la guardia or jfk to cleveland 218 | find the cheapest one way fare from boston to san francisco 219 | what are the flights from washington dc to denver 220 | give me information on flights from atlanta to washington dc on wednesday after 4 pm and thursday before 9 am 221 | flights between baltimore and washington dc 222 | what fare codes cover flights from philadelphia to san francisco 223 | are there any flights from boston to oakland that stop 224 | list departure times from denver to philadelphia which are later than 10 o'clock and earlier than 2 pm 225 | are there any airlines that have flights from boston to philadelphia that leave before 630 am 226 | how many first class flights does united have today 227 | please show me the flights available from san francisco to pittsburgh on tuesday 228 | i'm in miami and i'd like to travel to las vegas on sunday 229 | show me flights from denver to philadelphia 230 | i would like to fly from pittsburgh to atlanta on us air at the latest time possible in the evening 231 | show me all flights from dallas to pittsburgh which leave on monday after 8 o'clock am 232 | are there any nonstop flights leaving from denver arriving in baltimore on july seventh 233 | list round trip flights between boston and oakland using twa 234 | what are the sunday flights from oakland to washington dc 235 | what flights are there on sunday from seattle to minneapolis 236 | what flights from las vegas to montreal on saturday 237 | what is the fare on continental 271 from dallas to san francisco 238 | show me flights denver to washington dc on thursday 239 | what type of ground transportation is available at philadelphia airport 240 | flights from phoenix to milwaukee on wednesday evening 241 | show me the last flight from love field 242 | can you list all flights that depart from orlando to kansas city 243 | i want to fly from kansas city to chicago next wednesday arriving in the evening and returning the next day 244 | what is the ground transportation available in the city of fort worth 245 | i need a flight from baltimore to seattle that stops in minneapolis 246 | what is the latest flight you have departing dallas to philadelphia 247 | show me the flights from atlanta to philadelphia 248 | show me the flights arriving at love field from other airports 249 | what does ewr stand for 250 | what flights from denver to salt lake city 251 | please give me the flight times the morning on united airlines for september twentieth from philadelphia to san francisco 252 | what is the earliest arrival in salt lake city of a flight from toronto 253 | i'd like to see all the flights from boston to philadelphia 254 | what is fare code c 255 | what kind of aircraft does delta fly before 8 am on august second from boston to denver 256 | flight from denver to san francisco in the afternoon 257 | what is the first flight from boston to stapleton airport for tomorrow 258 | i need to know what flights leave atlanta on sunday evening and arrive in baltimore 259 | what are the flights from milwaukee to orlando on wednesday 260 | what is the cheapest fare between denver and boston 261 | what airlines have business class 262 | i need a flight from san francisco to pittsburgh and then pittsburgh to new york and new york to san francisco 263 | what flights are there between washington dc and san francisco leaving washington after 6 pm on wednesday 264 | what type of aircraft does eastern fly from atlanta to denver before 6 pm 265 | i would like the flights available from boston to denver arriving in denver on 9 o'clock wednesday morning on or by 9 o'clock wednesday morning 266 | what ground transportation is available at the baltimore airport 267 | show me flights from atlanta to baltimore denver and dallas 268 | what flights are there from minneapolis to chicago 269 | flights from denver to pittsburgh on thursday 270 | may i have a list of flights going from boston to denver on the twenty ninth of july 271 | what flights are there between nashville and st. louis which are nonstop and arrive after noon and before 8 pm 272 | please list the flight times for boston to pittsburgh 273 | flight leaving from oakland to salt lake city 274 | what are the different classes that an airline offers 275 | could you tell me if there is ground transportation between the boston airport and boston downtown 276 | ground transportation denver 277 | what are the prices of the flights from atlanta to dallas in the morning 278 | how long does it take to fly from boston to atlanta 279 | please list the friday afternoon flights from san jose to dallas on american airlines 280 | is there an american airlines flight in the evening from dallas to san francisco 281 | what ground transportation is available in denver 282 | show me the fares from dallas to san francisco 283 | in pittsburgh i'd like to rent a car 284 | i would like to find a flight that goes from tampa to montreal making a stop in new york and a flight that serves lunch 285 | please give me flights from atlanta to boston on wednesday afternoon and thursday morning 286 | can you list all flights leaving from st. louis and arriving in milwaukee 287 | flights from montreal to las vegas 288 | give me the flights from chicago to seattle on saturday morning 289 | what is airline nw 290 | i need a flight tonight from charlotte to las vegas with a stop in st. louis and i want dinner 291 | what's the latest flight out of denver that arrives in pittsburgh next monday 292 | please list the flights taking off and landing on general mitchell international airport 293 | what limousine service is in boston 294 | what is fare code y mean 295 | are there delta flights leaving denver 296 | on thursday i'd like a flight from st. petersburg to miami 297 | when do planes leave boston for 298 | what flights are there wednesday morning from atlanta to philadelphia 299 | show me all flights from san francisco to boston philadelphia or baltimore 300 | what type of aircraft is used on the first flight from philadelphia to dallas in the morning 301 | what are the flights from pittsburgh to oakland 302 | list the morning flights at a 124 dollars from atlanta to boston 303 | all flights from miami to new york 304 | show flights from denver to oakland 305 | show flights from philadelphia to san francisco 306 | i'd like a flight tomorrow late from nashville to houston with dinner please 307 | show me all prices of economy from baltimore to dallas 308 | i need a flight from montreal quebec to san diego california leaving this sunday 309 | show me the cheapest one way flight from san francisco to boston leaving san francisco after 9 pm 310 | does united airlines have flights between boston and denver 311 | i would like to fly us air from orlando to cleveland in the late evening what do you have available 312 | what are the flights from milwaukee to orlando on wednesday night 313 | show me the flights from newark to los angeles 314 | can you give me the evening flight on wednesday from washington to atlanta again 315 | what are the flights and prices from la to charlotte for monday morning 316 | what first class flights are available on july twenty fifth 1991 from denver to baltimore 317 | show me all flights from pittsburgh to baltimore tomorrow which serve a meal 318 | show me all the flights between philadelphia and denver 319 | flights from phoenix to newark 320 | all flights from pittsburgh to dallas round trip after 12 pm less than 100 321 | thanks and what's the last flight back from washington to boston 322 | show me the flights from boston to baltimore 323 | what does fare code q mean 324 | show me the flights arriving in baltimore from philadelphia at about 4 o'clock 325 | what is the cheapest fare from baltimore to dallas in any class 326 | give me all nonstops from new york to vegas that arrive on a sunday 327 | what is sa 328 | show me the flights from boston to san francisco 329 | what does fare code qo mean 330 | i need information on flights leaving dallas arriving in boston leaving dallas early in the morning 331 | what is the earliest flight on thursday from atlanta to washington dc 332 | what flights are available saturday to san francisco from dallas 333 | i'd like to fly from boston to san francisco 334 | how many flights does american airlines have from boston to atlanta 335 | does midwest express have any flights from montreal to nashville 336 | show me all economy prices from dallas to baltimore 337 | and how much does it cost to travel from boston airport to downtown 338 | all flights before 10 am boston denver 339 | show me the flights that go from san diego to newark with one stop in houston 340 | show me the earliest flight on wednesday from baltimore to newark 341 | i'd like to book the cheapest one way flight from pittsburgh to atlanta on july twentieth 342 | what does mco mean 343 | show me all the flights from charlotte to cleveland 344 | do you have a flight from salt lake city to st. petersburg 345 | what is the earliest flight from boston to atlanta 346 | i'd like a flight tomorrow from kansas city to newark in the morning 347 | show me all flights from boston to detroit 348 | show me the flights arriving in baltimore on june fifteenth leaving either from denver or dallas 349 | show me the flights from love field to other airports 350 | what is the earliest flight i can get from baltimore to boston 351 | what is the round trip thrift fare on us air from boston to san francisco 352 | show me flights from los angeles to pittsburgh on monday evening 353 | i would like a flight from atlanta to denver 354 | give me all the flights from memphis to charlotte 355 | from philadelphia to toronto 356 | newark to cleveland 357 | list all american airline flights which leave phoenix on wednesday and stop at milwaukee 358 | show me all flights from pittsburgh to baltimore tomorrow 359 | is there a direct flight from denver to pittsburgh in the morning of august thirty first that is nonstop 360 | which airline offers the cheapest rate going from dallas to baltimore on july fourth 361 | does midwest express serve charlotte 362 | show me all the flights from philadelphia to san francisco 363 | ground transportation in denver 364 | show me all flights from boston to dallas fort worth both direct and connecting that arrive before noon 365 | show flights from philadelphia to dallas on saturday 366 | and flights leaving from atlanta to oakland leaving after 5 pm 367 | okay and on may four i would like to go from atlanta to denver leaving early in the morning around 8 368 | all flights from boston to washington dc on november eleventh 369 | what are the early morning flights from boston to denver 370 | what is the cheapest flight from denver to pittsburgh leaving on september twenty eighth 371 | flight from dallas to oakland california on monday 372 | i would like to fly from dallas to san francisco on saturday and arrive in san francisco before 4 pm 373 | morning flights out of san francisco arriving boston afternoon 374 | i'd like to see flights from baltimore to atlanta that arrive before noon 375 | find me the earliest boston departure for atlanta and the lastest return trip from atlanta so that i can be in atlanta the longest amount of time but return to boston the same day 376 | please give me the cheapest round trip airfare from atlanta to philadelphia on august the first 377 | i would like information on flights from philadelphia to oakland california on friday afternoon 378 | what afternoon flights are available from pittsburgh to atlanta on a weekday 379 | show ground transportation in denver 380 | please show me airlines with flights from denver to boston with stop in philadelphia 381 | dallas to baltimore 382 | rental cars in washington dc 383 | does american airlines fly to san francisco from atlanta 384 | kindly give me the type of aircraft used to fly from atlanta to denver 385 | give me flights from denver to baltimore 386 | what is fare class h 387 | what is the earliest flight from washington to san francisco on friday that serves breakfast 388 | what flights are there from atlanta to washington early on thursday mornings 389 | what kind of ground transportation is there in dallas 390 | could i have a list of flights in first class on monday from san francisco to pittsburgh starting at noon and afterwards 391 | how much is a us air boston to pittsburgh daily nonstop flight 392 | i'd like to go from boston to atlanta sometime after 5 pm can you tell me the flights that could do that for me 393 | what's fare code yn 394 | airports in new york 395 | i'd like to arrange for two friends to fly into los angeles next saturday evening one of the people is coming from kansas city and the other is coming from las vegas 396 | show me all overnight flights from washington dc to san francisco and list their fares 397 | what ground transportation is there in atlanta 398 | flights from pittsburgh to baltimore arriving between 4 and 5 pm 399 | what does fare code qw mean 400 | show flights from new york city to las vegas 401 | i need information for ground transportation denver colorado 402 | list the flight from philadelphia to san francisco on american airlines 403 | show me the airlines for flights to or from love field 404 | list nonstop flights from san francisco to oakland that depart in the afternoon 405 | which airline serves denver pittsburgh and atlanta 406 | how many first class flights does delta airlines have 407 | please show flights arriving in philadelphia from denver 408 | now show me the flights from pittsburgh to baltimore 409 | show me flights from milwaukee to orlando on wednesday night or thursday morning 410 | i would like to fly delta airlines from atlanta to pittsburgh 411 | what is fare code f 412 | what are the flights for united airlines on september twentieth in the morning 413 | show all airlines with flights between denver and dallas 414 | cheapest fare from nashville to seattle 415 | how many flights does american airlines have with a class of service code f 416 | find a nonstop flight between boston and washington arriving in washington around 5 pm 417 | pittsburgh to baltimore please on january one 418 | show me the costs and times for flights from san francisco to atlanta 419 | what airlines fly from boston to denver 420 | what ground transportation is there in atlanta 421 | how far from the airport in the dallas fort worth airport is dallas 422 | list all flights from tampa florida to miami that are the cheapest one way 423 | show me the flights from philadelphia to baltimore 424 | ground transportation in denver 425 | please list all flights from atlanta to baltimore on wednesday and thursday 426 | does flight dl 1083 from philadelphia to denver fly on saturdays 427 | i would like to book a flight going from tampa to seattle on may twenty sixth i would like to stop in milwaukee on the way 428 | i want to fly from boston to atlanta i would like the cheapest fare please 429 | show me the flights from montreal to philly 430 | what flights are available sunday afternoon from oakland to dallas 431 | explain the restriction ap 80 432 | i want to go from baltimore to san francisco with a stopover in denver 433 | information on a flight from san francisco to philadelphia 434 | shortest morning flights from cincinnati to tampa 435 | what are the flights from boston to washington on october fifteenth 1991 436 | what flights are there on wednesday evening from denver to sfo 437 | show me a list of flights on american airlines from boston to dc on july twenty second 438 | us air 269 leaving boston at 428 what is the arrival time in baltimore 439 | i would like information on flights leaving early monday morning from atlanta to baltimore 440 | now show me the flights from memphis to cleveland 441 | what flights leave from nashville to phoenix 442 | show me the air fare for the flights from baltimore to dallas 443 | what are the flights from denver to san francisco 444 | which airlines go from san francisco to washington by way of indianapolis 445 | all flights from washington dc to san francisco on november twelfth 446 | round trip fares from pittsburgh to philadelphia under 1000 dollars 447 | show nonstop flights from new york to miami on a tuesday which cost less than 466 dollars one way 448 | i'd like flights on american airlines from philadelphia to dallas arriving before 1145 am 449 | show business class fares from san francisco to denver on united airlines 450 | what is the earliest flight between logan and bwi 451 | describe pittsburgh airport 452 | show flights on us air from pittsburgh to oakland connecting through denver 453 | list all nonstop flights on tuesday before noon from charlotte to baltimore 454 | minneapolis to phoenix on monday 455 | please list me the flights and their cost of all airlines flying from denver to baltimore 456 | what airline uses the code hp 457 | find a flight from san francisco to boston on wednesday 458 | could you tell me about ground transportation arrangements from the dallas airport to downtown dallas 459 | display all flights from pittsburgh to san francisco on august second 460 | give me morning flights from charlotte to baltimore 461 | anything from baltimore or washington with a stopover in denver going to san francisco 462 | show me flights from boston to denver 463 | show me the flights from columbus to charlotte 464 | i need a flight from new york city to montreal thursday may six 465 | philadelphia to san francisco 466 | what is the earliest flight from boston to san francisco 467 | is there a limousine service available from the pittsburgh airport 468 | boston ground transportation 469 | the earliest flight from boston to san francisco please that will be serving a meal 470 | what does code qw mean 471 | what airline is hp 472 | what are the costs of car rental in dallas 473 | show me the flights leaving saturday or sunday from milwaukee to phoenix 474 | i'm interested in a flight from pittsburgh to atlanta 475 | flights from kansas city to cleveland on wednesday 476 | is there a nonstop flight from denver to san francisco 477 | display all flights from san francisco to boston on august eighth 478 | which airlines have flights between philadelphia and pittsburgh 479 | i want to go from boston to atlanta on monday 480 | what is the next flight from pittsburgh to san francisco after delta flight 1059 481 | show me the least expensive flight from miami to cleveland on sunday after noon 482 | what type of aircraft is used flying from atlanta to denver before 12 noon 483 | show me all flights from boston to atlanta which leave atlanta after noon tomorrow 484 | how much does it cost to rent a car in tacoma 485 | what kind of airplane is flight ua 270 from denver to philadelphia 486 | list all flights from boston to atlanta before 5 o'clock am on thursday 487 | i'd like the earliest flight from dallas to boston 488 | show me the flights on delta from atlanta in the morning 489 | what flights from salt lake city to las vegas 490 | show me the list of flights between philadelphia and denver that leave in the afternoon 491 | what is the fare from atlanta to boston on coach one way 492 | how many fares are there one way from tacoma to montreal 493 | i would like to know some information on flights leaving philadelphia arriving in pittsburgh in the afternoon 494 | what flights are available from pittsburgh to boston on wednesday of next week 495 | is there a flight on continental airlines from boston to denver 496 | pm flights dallas to atlanta 497 | information on flights from baltimore to philadelphia 498 | what flights from atlanta to st. louis on tuesday arriving around 230 pm 499 | show me ground transportation in san francisco 500 | what flights do you have from newark new jersey to ontario california that connect in phoenix 501 | -------------------------------------------------------------------------------- /data/ATIS/valid/seq.out: -------------------------------------------------------------------------------- 1 | O O O O O B-fromloc.city_name O B-depart_time.time I-depart_time.time O O O B-toloc.city_name O B-arrive_time.time O O B-arrive_time.period_of_day 2 | O O O B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 3 | O O O O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-airline_name I-airline_name 4 | O O O B-class_type O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number O O B-return_date.month_name B-return_date.day_number 5 | O O O B-fromloc.city_name O O B-toloc.city_name I-toloc.city_name 6 | O O O O O O O O O B-fromloc.city_name O B-toloc.city_name 7 | O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 8 | O O O B-flight_mod B-meal_description O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 9 | O O B-fromloc.city_name O B-toloc.city_name O B-depart_time.start_time I-depart_time.start_time O B-depart_time.end_time I-depart_time.end_time 10 | O O O B-flight_mod O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 11 | O O B-fromloc.city_name O B-toloc.state_name 12 | O O O O O O B-class_type I-class_type O O O O O B-fromloc.city_name O B-toloc.city_name 13 | O O O O O O O B-fromloc.city_name O B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number O O B-depart_time.period_of_day O B-toloc.city_name B-cost_relative I-cost_relative O B-round_trip I-round_trip 14 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name B-toloc.state_code 15 | O O B-fromloc.city_name O B-toloc.airport_name O B-depart_time.time_relative B-depart_time.time I-depart_time.time B-airline_name 16 | O O O O O O B-fromloc.city_name O B-toloc.city_name 17 | O B-depart_time.period_of_day O O O O B-depart_time.period_of_day B-depart_time.period_of_day O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number O O O O O B-return_time.period_of_day O B-return_date.month_name B-return_date.day_number I-return_date.day_number 18 | O O O O O O B-fromloc.city_name O B-toloc.city_name O O O O B-stoploc.city_name I-stoploc.city_name I-stoploc.city_name 19 | O O B-restriction_code 20 | O O O O O O O O B-city_name 21 | O O O O B-airline_code O 22 | O B-class_type I-class_type O O B-airline_name O B-toloc.city_name I-toloc.city_name O O B-depart_date.date_relative B-depart_date.day_name 23 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.day_name 24 | O O O O B-fromloc.city_name O B-toloc.city_name O O B-depart_date.day_name 25 | O B-airline_name I-airline_name O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name B-depart_time.time_relative B-depart_time.time I-depart_time.time O O O O O O 26 | O O O O O B-fromloc.city_name O B-toloc.city_name B-flight_stop O O B-arrive_time.time I-arrive_time.time O 27 | O O O B-cost_relative B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name 28 | O B-airline_name O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 29 | O O O O B-flight_stop O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O O B-arrive_time.period_of_day 30 | O B-airline_name I-airline_name O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name 31 | O O O B-cost_relative O O B-fromloc.city_name O B-toloc.city_name 32 | O O O O O O O O O O O B-airline_name I-airline_name O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name B-depart_time.time_relative B-depart_time.time I-depart_time.time O O B-depart_time.period_of_day 33 | O O O B-airline_name O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 34 | B-depart_time.period_of_day O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 35 | O O O B-class_type I-class_type O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O B-depart_date.day_name B-depart_time.time_relative B-depart_time.time I-depart_time.time O O B-depart_time.period_of_day O B-depart_time.time_relative B-depart_time.time I-depart_time.time 36 | O O B-cost_relative I-cost_relative O O O O O B-toloc.city_name 37 | O O O B-cost_relative B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name 38 | O O B-fromloc.city_name O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 39 | O B-flight_stop O O B-fromloc.city_name O B-toloc.city_name O O B-arrive_time.time_relative B-arrive_time.period_of_day 40 | O O O O O B-toloc.city_name O O B-fromloc.city_name O O O O B-stoploc.city_name 41 | B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O 42 | O O O O B-airline_code 43 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number 44 | O O O O B-depart_date.day_name O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name 45 | O O B-depart_date.day_name O B-depart_date.day_name O O B-fromloc.city_name O B-toloc.city_name O B-airline_name I-airline_name 46 | O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.day_name O B-meal_description O 47 | O O O B-fromloc.city_name O B-toloc.city_name 48 | O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number O O B-depart_time.period_of_day 49 | O O O B-fromloc.airport_name I-fromloc.airport_name O B-toloc.city_name I-toloc.city_name O O B-arrive_time.time I-arrive_time.time 50 | O O O O O O O O O O B-airline_name 51 | O O O O O B-flight_time O O O O O B-fromloc.city_name O B-toloc.city_name O O B-depart_time.period_of_day 52 | O O O B-airline_name I-airline_name O O B-fromloc.city_name O B-toloc.city_name O O B-depart_date.month_name B-depart_date.day_number 53 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 54 | O O O O O B-fromloc.city_name O B-toloc.city_name 55 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name O B-depart_date.day_name 56 | O O O O O B-city_name O B-day_name B-period_of_day 57 | O B-airline_name O B-fromloc.city_name O B-toloc.city_name 58 | O O O B-flight_mod B-fromloc.city_name O O O B-flight_mod B-fromloc.city_name O O O O O O O O O O O O O O O O B-toloc.city_name O O O B-toloc.city_name O O O B-return_date.date_relative 59 | O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number 60 | O O O O B-flight_time O O B-flight_mod O O O B-depart_time.period_of_day O B-fromloc.city_name O B-toloc.city_name O B-airline_name I-airline_name 61 | O O O O O B-fromloc.city_name O B-toloc.city_name 62 | O O O B-flight_time I-flight_time O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.day_name B-depart_time.period_of_day 63 | O O O O O O B-fromloc.airport_name I-fromloc.airport_name O O B-toloc.city_name 64 | O O O O O O O O O O B-depart_date.month_name B-depart_date.day_number O O B-fromloc.city_name O O O B-toloc.city_name O B-arrive_date.month_name B-arrive_date.day_number 65 | B-fromloc.city_name O B-toloc.city_name 66 | O O O O O O O B-fromloc.city_name O B-toloc.city_name 67 | B-airline_name I-airline_name O O O B-stoploc.city_name 68 | O O O O B-depart_date.day_name B-depart_time.period_of_day O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 69 | B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name B-cost_relative O B-fare_amount I-fare_amount 70 | O O B-class_type I-class_type O O B-fromloc.city_name O B-toloc.city_name 71 | O O O O O B-fromloc.city_name O B-toloc.city_name B-depart_date.day_name O B-depart_date.day_name 72 | O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 73 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 74 | O O B-toloc.city_name 75 | O O O B-flight_mod O O B-toloc.airport_name I-toloc.airport_name 76 | O O O B-airline_name B-depart_time.period_of_day O O B-class_type I-class_type 77 | O B-airline_name I-airline_name O O O B-flight_time I-flight_time O B-fromloc.city_name O B-toloc.city_name 78 | O O O O O O O B-city_name O O B-period_of_day O B-day_name 79 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name 80 | O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.day_name B-depart_date.day_name B-depart_date.day_name B-depart_date.day_name O B-depart_date.day_name 81 | O O O O O B-fromloc.city_name O B-toloc.city_name 82 | O O O O O O B-toloc.city_name I-toloc.city_name O B-depart_date.day_name B-depart_time.period_of_day O B-fromloc.city_name 83 | O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name I-toloc.city_name I-toloc.city_name O B-airline_name O B-arrive_time.time_relative B-arrive_time.time I-arrive_time.time B-arrive_date.today_relative 84 | O B-city_name I-city_name O O O O O B-transport_type 85 | O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 86 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number 87 | O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number B-depart_date.year 88 | O O O O B-transport_type O B-fromloc.airport_name I-fromloc.airport_name I-fromloc.airport_name I-fromloc.airport_name I-fromloc.airport_name O B-toloc.city_name 89 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O O O O B-stoploc.city_name I-stoploc.city_name I-stoploc.city_name 90 | O B-flight_time O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 91 | O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O O B-depart_time.period_of_day 92 | O O O O O O B-aircraft_code O 93 | O O O O O O O O B-depart_date.day_name O B-fromloc.city_name O B-toloc.city_name O O O O O B-stoploc.city_name 94 | O O O O O O O O O O O O O O B-depart_date.month_name B-depart_date.day_number O B-fromloc.city_name O B-toloc.city_name B-depart_time.period_mod O O B-depart_time.period_of_day 95 | O B-flight_time O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 96 | O O O B-cost_relative I-cost_relative O O B-fromloc.city_name O B-depart_date.day_name B-depart_time.time_relative B-depart_time.time I-depart_time.time I-depart_time.time O O B-toloc.city_name 97 | O O O O B-depart_date.today_relative B-depart_time.period_of_day O B-fromloc.city_name O B-toloc.city_name 98 | O O O O B-cost_relative O O B-fromloc.city_name O B-toloc.city_name 99 | O O O B-cost_relative B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name O O B-depart_date.day_name B-depart_date.month_name B-depart_date.day_number 100 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_time.time_relative B-depart_time.time I-depart_time.time 101 | O O O B-flight_mod B-class_type I-class_type O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 102 | O O O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number 103 | O B-depart_time.period_of_day O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name 104 | O O O O O B-fromloc.city_name O B-toloc.city_name 105 | O O O O B-flight_stop O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O O O B-arrive_time.period_of_day O O O B-arrive_time.time_relative B-arrive_time.time I-arrive_time.time 106 | O O O B-airline_name O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.month_name B-depart_date.day_number B-depart_date.year 107 | O O B-depart_date.day_name B-depart_time.period_of_day O O B-fromloc.city_name O B-toloc.city_name 108 | O O B-airline_name I-airline_name O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 109 | O O O O O B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number O O O O B-fromloc.city_name O B-toloc.city_name 110 | O O O O O O O O O B-airline_name I-airline_name O B-fromloc.city_name O B-toloc.city_name 111 | O O O B-fromloc.city_name O B-toloc.city_name O O B-arrive_time.start_time O B-arrive_time.end_time I-arrive_time.end_time 112 | O O B-flight_stop O O B-arrive_date.day_name O B-fromloc.city_name O B-toloc.city_name 113 | O O O O O O B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name 114 | O O O O O O B-depart_time.period_of_day O B-fromloc.city_name O O O O B-arrive_time.period_of_day O B-toloc.city_name 115 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name O O B-meal_description 116 | O O O O B-fromloc.city_name O B-toloc.city_name 117 | O O O O O O B-fromloc.city_name O B-toloc.city_name B-depart_time.time_relative B-depart_time.time I-depart_time.time O O B-depart_time.period_of_day 118 | O O B-flight_stop O B-arrive_time.period_mod B-arrive_date.day_name B-arrive_time.period_of_day O B-fromloc.city_name O B-toloc.city_name 119 | O O B-cost_relative B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name 120 | O O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-airline_name I-airline_name 121 | O O O O O O O O O B-fromloc.city_name I-fromloc.city_name O B-depart_time.time_relative B-depart_time.time I-depart_time.time O B-toloc.city_name O B-depart_date.day_name 122 | O O O B-cost_relative O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name O O B-depart_time.time_relative B-depart_time.time O O B-meal_description 123 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 124 | O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O O O B-depart_date.day_name B-depart_time.time_relative B-depart_time.time I-depart_time.time 125 | O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O B-depart_date.day_name O O B-flight_stop O O B-cost_relative O B-fare_amount I-fare_amount 126 | O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-fromloc.city_name O B-toloc.city_name 127 | O O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.day_name 128 | O O B-airport_code O O 129 | O O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number 130 | O O O O O B-fromloc.city_name O B-toloc.city_name B-depart_time.period_mod B-depart_date.day_name B-depart_time.period_of_day B-or B-depart_time.period_mod B-depart_date.day_name B-depart_time.period_of_day 131 | O O O B-fromloc.city_name B-fromloc.state_code O B-toloc.city_name 132 | O O O B-fromloc.city_name O B-toloc.city_name B-toloc.state_code O B-depart_date.month_name B-depart_date.day_number B-depart_time.time_relative B-depart_time.time I-depart_time.time 133 | O O O O B-fromloc.city_name O B-toloc.city_name 134 | O O O O O B-depart_time.period_of_day I-depart_time.period_of_day O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name 135 | O O O O O O O O O B-fromloc.airport_name I-fromloc.airport_name 136 | O O O O O O B-fromloc.city_name O B-toloc.city_name 137 | O O B-fare_basis_code O O 138 | B-flight_mod O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 139 | O O O O O O O B-fromloc.city_name O B-toloc.airport_code 140 | O O O O B-airline_name I-airline_name O O B-fromloc.city_name O B-toloc.city_name 141 | B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name B-cost_relative O B-fare_amount I-fare_amount 142 | O O O B-airline_name O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name I-toloc.city_name B-flight_stop 143 | O O O O O O O O O B-fromloc.city_name O B-toloc.city_name O B-class_type I-class_type O O B-airline_name I-airline_name 144 | O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.day_name B-depart_time.period_of_day 145 | O O O B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name I-toloc.city_name 146 | O O O O O O B-fromloc.city_name O B-toloc.city_name O B-arrive_date.month_name B-arrive_date.day_number 147 | O O B-cost_relative B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 148 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 149 | O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 150 | O O O O O B-fromloc.airport_name I-fromloc.airport_name 151 | O B-class_type I-class_type O O B-airline_name I-airline_name O B-fromloc.city_name O B-toloc.city_name 152 | O O O B-flight_mod O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name 153 | O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name 154 | O O B-airline_code B-flight_number O B-fromloc.city_name O B-toloc.city_name O O B-meal 155 | O B-flight_stop O O O O B-fromloc.city_name O B-toloc.city_name O O B-arrive_time.start_time O B-arrive_time.end_time I-arrive_time.end_time 156 | O O O O O B-airline_name I-airline_name O B-fromloc.city_name O B-toloc.city_name 157 | O O O B-depart_time.period_of_day O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 158 | O O O O B-class_type I-class_type O O O O O B-fromloc.city_name O B-toloc.city_name 159 | O O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 160 | O O O B-fare_basis_code I-fare_basis_code O O B-fromloc.city_name O B-toloc.city_name O B-airline_name I-airline_name 161 | O B-depart_time.period_of_day O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name I-toloc.city_name 162 | O O O O B-fromloc.city_name O B-toloc.city_name 163 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 164 | O O O O O O O O O O B-fare_basis_code 165 | O O O O O O O O O O B-depart_date.month_name B-depart_date.day_number O B-fromloc.city_name O B-toloc.city_name O O O O O B-cost_relative I-cost_relative O B-depart_time.time_relative B-depart_time.time I-depart_time.time O O B-depart_time.period_of_day 166 | O O O B-connect O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O B-depart_time.time_relative B-depart_time.time 167 | O O O O O B-depart_date.day_name B-depart_time.time_relative B-depart_time.time I-depart_time.time O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name I-toloc.city_name 168 | O O O O O O O 169 | O O O O O B-airline_name O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 170 | O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 171 | O O O B-airport_code 172 | O O O O O O B-airline_name I-airline_name O B-class_type I-class_type O 173 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name 174 | O O O B-fromloc.city_name I-fromloc.city_name B-depart_time.time_relative B-depart_time.time I-depart_time.time O O O B-toloc.city_name O B-stoploc.city_name 175 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name 176 | O O O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name B-toloc.state_name I-toloc.state_name O O O B-stoploc.city_name 177 | O O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name B-depart_time.time_relative B-depart_time.time O B-depart_date.day_name 178 | O O O O O B-fromloc.city_name O B-toloc.city_name 179 | O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name I-toloc.city_name B-flight_stop 180 | O O O B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name 181 | O O O B-cost_relative B-round_trip I-round_trip O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name 182 | O O O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name 183 | O O O O O O B-fromloc.city_name O B-toloc.city_name B-depart_date.date_relative B-depart_date.day_name 184 | O O O O O B-toloc.city_name O O O O B-fromloc.city_name O O O O 185 | O O O O O O B-cost_relative I-cost_relative O O B-fromloc.city_name O B-toloc.city_name 186 | O O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 187 | B-fromloc.city_name O B-toloc.city_name B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number 188 | O O O O O B-fromloc.city_name O B-toloc.city_name 189 | O O O O B-fromloc.city_name O B-toloc.city_name 190 | O O O O B-fromloc.city_name O B-toloc.city_name B-class_type I-class_type O O O O O O O O O B-class_type I-class_type O 191 | O O O O O O O B-fromloc.city_name O B-toloc.city_name B-class_type O O 192 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 193 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O O O B-flight_stop I-flight_stop 194 | O O B-airline_name I-airline_name O O O B-fromloc.city_name 195 | O O O O O O B-fromloc.city_name B-fromloc.state_name B-depart_date.day_name O B-toloc.city_name B-arrive_date.day_name 196 | O O O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name B-toloc.state_name O O O O B-depart_time.period_of_day O B-depart_date.day_name 197 | O O O O O B-fromloc.city_name O B-toloc.city_name O O O B-stoploc.city_name 198 | O O O O O O O B-fromloc.city_name O B-toloc.city_name B-flight_stop 199 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name B-depart_date.date_relative B-depart_date.day_name O O B-depart_time.time_relative B-depart_time.time 200 | O O O O O B-fromloc.city_name O B-toloc.city_name 201 | O O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name B-depart_time.time_relative B-depart_time.time I-depart_time.time 202 | O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name I-toloc.city_name 203 | O O O B-cost_relative O O B-fromloc.city_name O B-toloc.airport_code 204 | O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name I-toloc.city_name O O O O B-stoploc.city_name 205 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name B-toloc.state_code O B-depart_date.day_name 206 | O O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number 207 | O O O B-depart_time.period_of_day O O B-fromloc.city_name O B-toloc.city_name 208 | B-fromloc.city_name O B-toloc.city_name B-flight_days 209 | B-depart_time.period_of_day O O B-fromloc.city_name O B-toloc.city_name 210 | O O O O B-flight_time O B-class_type I-class_type O O B-fromloc.city_name O B-toloc.city_name O O 211 | O O O O O O B-fromloc.city_name O B-toloc.city_name B-depart_time.time_relative B-depart_time.time 212 | O O O O O O B-airline_name I-airline_name O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 213 | O O B-depart_time.period_of_day O O B-fromloc.city_name 214 | O O O O O O O B-airport_name I-airport_name 215 | O O O O O B-fromloc.city_name O B-toloc.city_name B-flight_stop 216 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 217 | O O B-fromloc.airport_name I-fromloc.airport_name B-or B-fromloc.airport_code O B-toloc.city_name 218 | O O B-cost_relative B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 219 | O O O O O B-fromloc.city_name B-fromloc.state_code O B-toloc.city_name 220 | O O O O O O B-fromloc.city_name O B-toloc.city_name B-toloc.state_code O B-depart_date.day_name B-depart_time.time_relative B-depart_time.time I-depart_time.time O B-depart_date.day_name B-depart_time.time_relative B-depart_time.time I-depart_time.time 221 | O O B-fromloc.city_name O B-toloc.city_name B-toloc.state_code 222 | O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 223 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-flight_stop 224 | O B-flight_time I-flight_time O B-fromloc.city_name O B-toloc.city_name O O B-depart_time.time_relative O B-depart_time.time I-depart_time.time O B-depart_time.time_relative O B-depart_time.time I-depart_time.time 225 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name O O B-depart_time.time_relative B-depart_time.time I-depart_time.time 226 | O O B-class_type I-class_type O O B-airline_name O B-depart_date.today_relative 227 | O O O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 228 | O O B-fromloc.city_name O O O O O O B-toloc.city_name I-toloc.city_name O B-depart_date.day_name 229 | O O O O B-fromloc.city_name O B-toloc.city_name 230 | O O O O O O B-fromloc.city_name O B-toloc.city_name O B-airline_name I-airline_name O O B-flight_mod I-flight_mod I-flight_mod O O B-depart_time.period_of_day 231 | O O O O O B-fromloc.city_name O B-toloc.city_name O O O B-depart_date.day_name B-depart_time.time_relative B-depart_time.time I-depart_time.time I-depart_time.time 232 | O O O B-flight_stop O O O B-fromloc.city_name O O B-toloc.city_name O B-arrive_date.month_name B-arrive_date.day_number 233 | O B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name O B-airline_code 234 | O O O B-depart_date.day_name O O B-fromloc.city_name O B-toloc.city_name B-toloc.state_code 235 | O O O O O B-depart_date.day_name O B-fromloc.city_name O B-toloc.city_name 236 | O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 237 | O O O O O B-airline_name B-flight_number O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 238 | O O O B-fromloc.city_name O B-toloc.city_name B-toloc.state_code O B-depart_date.day_name 239 | O O O O O O O O B-airport_name I-airport_name 240 | O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name B-depart_time.period_of_day 241 | O O O B-flight_mod O O B-fromloc.airport_name I-fromloc.airport_name 242 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 243 | O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name B-depart_date.date_relative B-depart_date.day_name O O O B-arrive_time.period_of_day O O O B-return_date.date_relative O 244 | O O O O O O O O O O B-city_name I-city_name 245 | O O O O O B-fromloc.city_name O B-toloc.city_name O O O B-stoploc.city_name 246 | O O O B-flight_mod O O O O B-fromloc.city_name O B-toloc.city_name 247 | O O O O O B-fromloc.city_name O B-toloc.city_name 248 | O O O O O O B-toloc.airport_name I-toloc.airport_name O O O 249 | O O B-airport_code O O 250 | O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name I-toloc.city_name 251 | O O O O B-flight_time I-flight_time O B-depart_time.period_of_day O B-airline_name I-airline_name O B-depart_date.month_name B-depart_date.day_number O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 252 | O O O B-flight_mod O O B-toloc.city_name I-toloc.city_name I-toloc.city_name O O O O B-fromloc.city_name 253 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name 254 | O O O O B-fare_basis_code 255 | O O O O O B-airline_name O B-depart_time.time_relative B-depart_time.time I-depart_time.time O B-depart_date.month_name B-depart_date.day_number O B-fromloc.city_name O B-toloc.city_name 256 | O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O O B-depart_time.period_of_day 257 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.airport_name I-toloc.airport_name O B-depart_date.today_relative 258 | O O O O O O O B-fromloc.city_name O B-depart_date.day_name B-depart_time.period_of_day O O O B-toloc.city_name 259 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 260 | O O O B-cost_relative O O B-fromloc.city_name O B-toloc.city_name 261 | O O O B-class_type I-class_type 262 | O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name I-toloc.city_name 263 | O O O O O B-fromloc.city_name B-fromloc.state_code O B-toloc.city_name I-toloc.city_name O B-fromloc.city_name B-depart_time.time_relative B-depart_time.time I-depart_time.time O B-depart_date.day_name 264 | O O O O O B-airline_name O O B-fromloc.city_name O B-toloc.city_name B-depart_time.time_relative B-depart_time.time I-depart_time.time 265 | O O O O O O O B-fromloc.city_name O B-toloc.city_name O O B-toloc.city_name O B-arrive_time.time I-arrive_time.time B-arrive_date.day_name B-arrive_time.period_of_day O B-or B-arrive_time.time_relative B-arrive_time.time I-arrive_time.time B-arrive_date.day_name B-arrive_time.period_of_day 266 | O O O O O O O B-airport_name I-airport_name 267 | O O O O B-fromloc.city_name O B-toloc.city_name B-toloc.city_name O B-toloc.city_name 268 | O O O O O B-fromloc.city_name O B-toloc.city_name 269 | O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 270 | O O O O O O O O O B-fromloc.city_name O B-toloc.city_name O O B-depart_date.day_number I-depart_date.day_number O B-depart_date.month_name 271 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O O B-flight_stop O O B-arrive_time.time_relative B-arrive_time.time O B-arrive_time.time_relative B-arrive_time.time I-arrive_time.time 272 | O O O B-flight_time I-flight_time O B-fromloc.city_name O B-toloc.city_name 273 | O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name I-toloc.city_name 274 | O O O O O O O O O 275 | O O O O O O O O O O O B-fromloc.airport_name I-fromloc.airport_name O B-toloc.city_name O 276 | O O B-city_name 277 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name O O B-depart_time.period_of_day 278 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name 279 | O O O B-depart_date.day_name B-depart_time.period_of_day O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O B-airline_name I-airline_name 280 | O O O B-airline_name I-airline_name O O O B-depart_time.period_of_day O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 281 | O O O O O O B-city_name 282 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 283 | O B-city_name O O O O O B-transport_type 284 | O O O O O O O O O O B-fromloc.city_name O B-toloc.city_name O O O O B-stoploc.city_name I-stoploc.city_name O O O O O B-meal_description 285 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name B-depart_time.period_of_day O B-depart_date.day_name B-depart_time.period_of_day 286 | O O O O O O O B-fromloc.city_name I-fromloc.city_name O O O B-toloc.city_name 287 | O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 288 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name B-depart_time.period_of_day 289 | O O O B-airline_code 290 | O O O O B-depart_date.today_relative O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O O O O B-stoploc.city_name I-stoploc.city_name O O O B-meal_description 291 | O O B-flight_mod O O O B-fromloc.city_name O O O B-toloc.city_name B-arrive_date.date_relative B-arrive_date.day_name 292 | O O O O O O O O O B-fromloc.airport_name I-fromloc.airport_name I-fromloc.airport_name I-fromloc.airport_name 293 | O B-transport_type O O O B-city_name 294 | O O O O B-fare_basis_code O 295 | O O B-airline_name O O B-fromloc.city_name 296 | O B-depart_date.day_name O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name 297 | O O O O B-fromloc.city_name O 298 | O O O O B-depart_date.day_name B-depart_time.period_of_day O B-fromloc.city_name O B-toloc.city_name 299 | O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name B-toloc.city_name O B-toloc.city_name 300 | O O O O O O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name O O B-depart_time.period_of_day 301 | O O O O O B-fromloc.city_name O B-toloc.city_name 302 | O O B-depart_time.period_of_day O O O B-fare_amount I-fare_amount O B-fromloc.city_name O B-toloc.city_name 303 | O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 304 | O O O B-fromloc.city_name O B-toloc.city_name 305 | O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 306 | O O O O B-depart_date.today_relative B-depart_time.period_mod O B-fromloc.city_name O B-toloc.city_name O B-meal_description O 307 | O O O O O B-economy O B-fromloc.city_name O B-toloc.city_name 308 | O O O O O B-fromloc.city_name B-fromloc.state_name O B-toloc.city_name I-toloc.city_name B-toloc.state_name O B-depart_date.date_relative B-depart_date.day_name 309 | O O O B-cost_relative B-round_trip I-round_trip O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O B-fromloc.city_name I-fromloc.city_name B-depart_time.time_relative B-depart_time.time I-depart_time.time 310 | O B-airline_name I-airline_name O O O B-fromloc.city_name O B-toloc.city_name 311 | O O O O O B-airline_name I-airline_name O B-fromloc.city_name O B-toloc.city_name O O B-depart_time.period_mod B-depart_time.period_of_day O O O O O 312 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name B-depart_time.period_of_day 313 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 314 | O O O O O B-depart_time.period_of_day O O B-depart_date.day_name O B-fromloc.city_name O B-toloc.city_name O 315 | O O O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name B-depart_time.period_of_day 316 | O B-class_type I-class_type O O O O B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number B-depart_date.year O B-fromloc.city_name O B-toloc.city_name 317 | O O O O O B-fromloc.city_name O B-toloc.city_name B-depart_date.today_relative O O O B-meal 318 | O O O O O O B-fromloc.city_name O B-toloc.city_name 319 | O O B-fromloc.city_name O B-toloc.city_name 320 | O O O B-fromloc.city_name O B-toloc.city_name B-round_trip I-round_trip B-depart_time.time_relative B-depart_time.time I-depart_time.time B-cost_relative O B-fare_amount 321 | O O O O B-flight_mod O O O B-fromloc.city_name O B-toloc.city_name 322 | O O O O O B-fromloc.city_name O B-toloc.city_name 323 | O O O O B-fare_basis_code O 324 | O O O O O O B-toloc.city_name O B-fromloc.city_name O B-arrive_time.time_relative B-arrive_time.time I-arrive_time.time 325 | O O O B-cost_relative O O B-fromloc.city_name O B-toloc.city_name O O O 326 | O O O B-flight_stop O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O O O B-arrive_date.day_name 327 | O O B-days_code 328 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 329 | O O O O B-fare_basis_code O 330 | O O O O O O B-fromloc.city_name O O B-toloc.city_name O B-fromloc.city_name B-depart_time.period_mod O O B-depart_time.period_of_day 331 | O O O B-flight_mod O O B-depart_date.day_name O B-fromloc.city_name O B-toloc.city_name B-toloc.state_code 332 | O O O O B-depart_date.day_name O B-toloc.city_name I-toloc.city_name O B-fromloc.city_name 333 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 334 | O O O O B-airline_name I-airline_name O O B-fromloc.city_name O B-toloc.city_name 335 | O B-airline_name O O O O O B-fromloc.city_name O B-toloc.city_name 336 | O O O B-economy O O B-fromloc.city_name O B-toloc.city_name 337 | O O O O O O O O O B-fromloc.airport_name I-fromloc.airport_name O O 338 | O O B-depart_time.time_relative B-depart_time.time I-depart_time.time B-fromloc.city_name B-fromloc.city_name 339 | O O O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O B-flight_stop I-flight_stop O B-stoploc.city_name 340 | O O O B-flight_mod O O B-depart_date.day_name O B-fromloc.city_name O B-toloc.city_name 341 | O O O O O B-cost_relative B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number 342 | O O B-airport_code O 343 | O O O O O O B-fromloc.city_name O B-toloc.city_name 344 | O O O O O O B-fromloc.city_name I-fromloc.city_name I-fromloc.city_name O B-toloc.city_name I-toloc.city_name 345 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name 346 | O O O O B-depart_date.today_relative O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O B-depart_time.period_of_day 347 | O O O O O B-fromloc.city_name O B-toloc.city_name 348 | O O O O O O B-toloc.city_name O B-arrive_date.month_name B-arrive_date.day_number O O O B-fromloc.city_name B-or B-fromloc.city_name 349 | O O O O O B-fromloc.airport_name I-fromloc.airport_name O O O 350 | O O O B-flight_mod O O O O O B-fromloc.city_name O B-toloc.city_name 351 | O O O B-round_trip I-round_trip B-class_type O O B-airline_name I-airline_name O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 352 | O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name B-depart_time.period_of_day 353 | O O O O O O B-fromloc.city_name O B-toloc.city_name 354 | O O O O O O B-fromloc.city_name O B-toloc.city_name 355 | O B-fromloc.city_name O B-toloc.city_name 356 | B-fromloc.city_name O B-toloc.city_name 357 | O O B-airline_name I-airline_name O O O B-fromloc.city_name O B-depart_date.day_name O O O B-stoploc.city_name 358 | O O O O O B-fromloc.city_name O B-toloc.city_name B-depart_date.today_relative 359 | O O O B-connect O O B-fromloc.city_name O B-toloc.city_name O O B-depart_time.period_of_day O B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number O O B-flight_stop 360 | O O O O B-cost_relative O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number 361 | O B-airline_name O O B-city_name 362 | O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 363 | O O O B-city_name 364 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name I-toloc.city_name O O O O O O B-arrive_time.time_relative B-arrive_time.time 365 | O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 366 | O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_time.time_relative B-depart_time.time I-depart_time.time 367 | O O O B-depart_date.month_name B-depart_date.day_number O O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_time.period_mod O O B-depart_time.period_of_day B-depart_time.time_relative B-depart_time.time 368 | O O O B-fromloc.city_name O B-toloc.city_name B-toloc.state_code O B-depart_date.month_name B-depart_date.day_number 369 | O O O B-depart_time.period_of_day B-depart_time.period_of_day O O B-fromloc.city_name O B-toloc.city_name 370 | O O O B-cost_relative O O B-fromloc.city_name O B-toloc.city_name O O B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number 371 | O O B-fromloc.city_name O B-toloc.city_name B-toloc.state_name O B-depart_date.day_name 372 | O O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.day_name O O O B-toloc.city_name I-toloc.city_name B-arrive_time.time_relative B-arrive_time.time I-arrive_time.time 373 | B-depart_time.period_of_day O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name B-arrive_time.period_of_day 374 | O O O O O O B-fromloc.city_name O B-toloc.city_name O O B-arrive_time.time_relative B-arrive_time.time 375 | O O O B-flight_mod B-fromloc.city_name O O B-toloc.city_name O O B-flight_mod O O O B-fromloc.city_name O O O O O O B-toloc.city_name O O O O O O O O B-toloc.city_name O O B-return_date.date_relative 376 | O O O O B-cost_relative B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name O B-depart_date.day_number 377 | O O O O O O O B-fromloc.city_name O B-toloc.city_name B-toloc.state_name O B-depart_date.day_name B-depart_time.period_of_day 378 | O B-depart_time.period_of_day O O O O B-fromloc.city_name O B-toloc.city_name O O B-flight_mod 379 | O O O O B-city_name 380 | O O O O O O O B-fromloc.city_name O B-toloc.city_name O O O B-stoploc.city_name 381 | B-fromloc.city_name O B-toloc.city_name 382 | B-transport_type I-transport_type O B-city_name B-state_code 383 | O B-airline_name I-airline_name O O B-toloc.city_name I-toloc.city_name O B-fromloc.city_name 384 | O O O O O O O O O O O B-fromloc.city_name O B-toloc.city_name 385 | O O O O B-fromloc.city_name O B-toloc.city_name 386 | O O O O B-fare_basis_code 387 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.day_name O O B-meal_description 388 | O O O O O B-fromloc.city_name O B-toloc.city_name B-depart_time.period_mod O B-depart_date.day_name B-depart_time.period_of_day 389 | O O O O O O O O B-city_name 390 | O O O O O O O O B-class_type I-class_type O B-depart_date.day_name O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O B-depart_time.time O B-depart_time.time_relative 391 | O O O O B-airline_name I-airline_name B-fromloc.city_name O B-toloc.city_name B-flight_days B-flight_stop O 392 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_time.time_relative B-depart_time.time I-depart_time.time O O O O O O O O O O O O 393 | O O O B-fare_basis_code 394 | O O B-city_name I-city_name 395 | O O O O O O O O O O B-toloc.city_name I-toloc.city_name B-arrive_date.date_relative B-arrive_date.day_name B-arrive_time.period_of_day O O O O O O O B-fromloc.city_name I-fromloc.city_name O O O O O O B-fromloc.city_name I-fromloc.city_name 396 | O O O B-flight_mod O O B-fromloc.city_name B-fromloc.state_code O B-toloc.city_name I-toloc.city_name O O O O 397 | O O O O O O B-city_name 398 | O O B-fromloc.city_name O B-toloc.city_name O O B-arrive_time.start_time O B-arrive_time.end_time I-arrive_time.end_time 399 | O O O O B-fare_basis_code O 400 | O O O B-fromloc.city_name I-fromloc.city_name I-fromloc.city_name O B-toloc.city_name I-toloc.city_name 401 | O O O O O O B-city_name B-state_name 402 | O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-airline_name I-airline_name 403 | O O O O O O O O O B-fromloc.airport_name I-fromloc.airport_name 404 | O B-flight_stop O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O O O B-arrive_time.period_of_day 405 | O O O B-fromloc.city_name B-fromloc.city_name O B-fromloc.city_name 406 | O O B-class_type I-class_type O O B-airline_name I-airline_name O 407 | O O O O O B-toloc.city_name O B-fromloc.city_name 408 | O O O O O O B-fromloc.city_name O B-toloc.city_name 409 | O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name B-depart_time.period_of_day B-or B-depart_date.day_name B-depart_time.period_of_day 410 | O O O O O B-airline_name I-airline_name O B-fromloc.city_name O B-toloc.city_name 411 | O O O O B-fare_basis_code 412 | O O O O O B-airline_name I-airline_name O B-depart_date.month_name B-depart_date.day_number O O B-depart_time.period_of_day 413 | O O O O O O B-fromloc.city_name O B-toloc.city_name 414 | B-cost_relative O O B-fromloc.city_name O B-toloc.city_name 415 | O O O O B-airline_name I-airline_name O O O O O O O B-fare_basis_code 416 | O O B-flight_stop O O B-fromloc.city_name O B-toloc.city_name O O B-toloc.city_name B-arrive_time.time_relative B-arrive_time.time I-arrive_time.time 417 | B-fromloc.city_name O B-toloc.city_name O O B-depart_date.month_name B-depart_date.day_number 418 | O O O O O B-flight_time O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name 419 | O O O O B-fromloc.city_name O B-toloc.city_name 420 | O O O O O O B-city_name 421 | O O O O O O O B-fromloc.airport_name I-fromloc.airport_name I-fromloc.airport_name I-fromloc.airport_name O B-fromloc.city_name 422 | O O O O B-fromloc.city_name B-fromloc.state_name O B-toloc.city_name O O O B-cost_relative B-round_trip I-round_trip 423 | O O O O O B-fromloc.city_name O B-toloc.city_name 424 | O O O B-city_name 425 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name O B-depart_date.day_name 426 | O O B-airline_code B-flight_number O B-fromloc.city_name O B-toloc.city_name O O B-depart_date.day_name 427 | O O O O O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number O O O O O O B-stoploc.city_name O O O 428 | O O O O O B-fromloc.city_name O B-toloc.city_name O O O O B-cost_relative O O 429 | O O O O O B-fromloc.city_name O B-toloc.city_name 430 | O O O O B-depart_date.day_name B-depart_time.period_of_day O B-fromloc.city_name O B-toloc.city_name 431 | O O O B-restriction_code I-restriction_code 432 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O O O O B-stoploc.city_name 433 | O O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name 434 | B-flight_mod B-depart_time.period_of_day O O B-fromloc.city_name O B-toloc.city_name 435 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number B-depart_date.year 436 | O O O O O B-depart_date.day_name B-depart_time.period_of_day O B-fromloc.city_name O B-toloc.airport_code 437 | O O O O O O O B-airline_name I-airline_name O B-fromloc.city_name O B-toloc.state_code O B-depart_date.month_name B-depart_date.day_number I-depart_date.day_number 438 | B-airline_name I-airline_name B-flight_number O B-fromloc.city_name O B-depart_time.time O O O B-flight_time I-flight_time O B-toloc.city_name 439 | O O O O O O O B-depart_time.period_mod B-depart_date.day_name B-depart_time.period_of_day O B-fromloc.city_name O B-toloc.city_name 440 | O O O O O O B-fromloc.city_name O B-toloc.city_name 441 | O O O O B-fromloc.city_name O B-toloc.city_name 442 | O O O O O O O O O B-fromloc.city_name O B-toloc.city_name 443 | O O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 444 | O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O O B-stoploc.city_name 445 | O O O B-fromloc.city_name B-fromloc.state_code O B-toloc.city_name I-toloc.city_name O B-depart_date.month_name B-depart_date.day_number 446 | B-round_trip I-round_trip O O B-fromloc.city_name O B-toloc.city_name B-cost_relative B-fare_amount I-fare_amount 447 | O B-flight_stop O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O O B-arrive_date.day_name O O B-cost_relative O B-fare_amount I-fare_amount B-round_trip I-round_trip 448 | O O O O B-airline_name I-airline_name O B-fromloc.city_name O B-toloc.city_name O B-arrive_time.time_relative B-arrive_time.time I-arrive_time.time 449 | O B-class_type I-class_type O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O B-airline_name I-airline_name 450 | O O O B-flight_mod O O B-fromloc.airport_name O B-toloc.airport_code 451 | O B-airport_name I-airport_name 452 | O O O B-airline_name I-airline_name O B-fromloc.city_name O B-toloc.city_name B-connect O B-stoploc.city_name 453 | O O B-flight_stop O O B-arrive_date.day_name B-arrive_time.time_relative B-arrive_time.time O B-fromloc.city_name O B-toloc.city_name 454 | B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 455 | O O O O O O O O O O O O O B-fromloc.city_name O B-toloc.city_name 456 | O O O O O B-airline_code 457 | O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 458 | O O O O O O O O O O B-fromloc.airport_name I-fromloc.airport_name O O B-toloc.city_name 459 | O O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.month_name B-depart_date.day_number 460 | O O B-depart_time.period_of_day O O B-fromloc.city_name O B-toloc.city_name 461 | O O B-fromloc.city_name B-or B-fromloc.city_name O O O O B-stoploc.city_name O O B-toloc.city_name I-toloc.city_name 462 | O O O O B-fromloc.city_name O B-toloc.city_name 463 | O O O O O B-fromloc.city_name O B-toloc.city_name 464 | O O O O O B-fromloc.city_name I-fromloc.city_name I-fromloc.city_name O B-toloc.city_name B-depart_date.day_name B-depart_date.month_name B-depart_date.day_number 465 | B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 466 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 467 | O O O B-transport_type O O O O B-fromloc.airport_name I-fromloc.airport_name 468 | B-city_name O O 469 | O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O O O O O O B-meal 470 | O O O B-fare_basis_code O 471 | O O O B-airline_code 472 | O O O O O B-transport_type I-transport_type O B-city_name 473 | O O O O O B-depart_date.day_name B-or B-depart_date.day_name O B-fromloc.city_name O B-toloc.city_name 474 | O O O O O O B-fromloc.city_name O B-toloc.city_name 475 | O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 476 | O O O B-flight_stop O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name 477 | O O O O B-fromloc.city_name I-fromloc.city_name O B-toloc.city_name O B-depart_date.month_name B-depart_date.day_number 478 | O O O O O B-fromloc.city_name O B-toloc.city_name 479 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name 480 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name B-mod B-airline_name O B-flight_number 481 | O O O B-cost_relative I-cost_relative O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name B-depart_time.time_relative B-depart_time.time 482 | O O O O O O O O B-fromloc.city_name O B-toloc.city_name B-depart_time.time_relative B-depart_time.time I-depart_time.time 483 | O O O O O B-fromloc.city_name O B-toloc.city_name O O B-fromloc.city_name B-depart_time.time_relative B-depart_time.time B-depart_date.today_relative 484 | O O O O O O O O B-transport_type O B-city_name 485 | O O O O O O B-airline_code B-flight_number O B-fromloc.city_name O B-toloc.city_name 486 | O O O O B-fromloc.city_name O B-toloc.city_name B-depart_time.time_relative B-depart_time.time I-depart_time.time I-depart_time.time O B-depart_date.day_name 487 | O O O B-flight_mod O O B-fromloc.city_name O B-toloc.city_name 488 | O O O O O B-airline_name O B-fromloc.city_name O O B-depart_time.period_of_day 489 | O O O B-fromloc.city_name I-fromloc.city_name I-fromloc.city_name O B-toloc.city_name I-toloc.city_name 490 | O O O O O O O B-fromloc.city_name O B-toloc.city_name O O O O B-depart_time.period_of_day 491 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-class_type B-round_trip I-round_trip 492 | O O O O O B-round_trip I-round_trip O B-fromloc.city_name O B-toloc.city_name 493 | O O O O O O O O O O B-fromloc.city_name O O B-toloc.city_name O O B-arrive_time.period_of_day 494 | O O O O O B-fromloc.city_name O B-toloc.city_name O B-depart_date.day_name O B-depart_date.date_relative O 495 | O O O O O B-airline_name I-airline_name O B-fromloc.city_name O B-toloc.city_name 496 | B-depart_time.period_of_day O B-fromloc.city_name O B-toloc.city_name 497 | O O O O B-fromloc.city_name O B-toloc.city_name 498 | O O O B-fromloc.city_name O B-toloc.city_name I-toloc.city_name O B-depart_date.day_name O B-arrive_time.time_relative B-arrive_time.time I-arrive_time.time 499 | O O O O O B-city_name I-city_name 500 | O O O O O O B-fromloc.city_name B-fromloc.state_name I-fromloc.state_name O B-toloc.city_name B-toloc.state_name O B-connect O B-stoploc.city_name 501 | -------------------------------------------------------------------------------- /data/SNIPS/test/label: -------------------------------------------------------------------------------- 1 | AddToPlaylist 2 | BookRestaurant 3 | AddToPlaylist 4 | GetWeather 5 | PlayMusic 6 | SearchScreeningEvent 7 | BookRestaurant 8 | GetWeather 9 | SearchScreeningEvent 10 | BookRestaurant 11 | SearchScreeningEvent 12 | SearchCreativeWork 13 | SearchScreeningEvent 14 | BookRestaurant 15 | SearchCreativeWork 16 | GetWeather 17 | SearchCreativeWork 18 | BookRestaurant 19 | SearchScreeningEvent 20 | BookRestaurant 21 | RateBook 22 | AddToPlaylist 23 | AddToPlaylist 24 | SearchScreeningEvent 25 | GetWeather 26 | GetWeather 27 | SearchScreeningEvent 28 | BookRestaurant 29 | PlayMusic 30 | AddToPlaylist 31 | AddToPlaylist 32 | RateBook 33 | PlayMusic 34 | SearchScreeningEvent 35 | AddToPlaylist 36 | SearchCreativeWork 37 | RateBook 38 | SearchScreeningEvent 39 | GetWeather 40 | GetWeather 41 | PlayMusic 42 | RateBook 43 | PlayMusic 44 | GetWeather 45 | PlayMusic 46 | GetWeather 47 | PlayMusic 48 | RateBook 49 | BookRestaurant 50 | BookRestaurant 51 | SearchCreativeWork 52 | BookRestaurant 53 | SearchCreativeWork 54 | BookRestaurant 55 | RateBook 56 | BookRestaurant 57 | RateBook 58 | RateBook 59 | SearchScreeningEvent 60 | SearchCreativeWork 61 | GetWeather 62 | GetWeather 63 | AddToPlaylist 64 | SearchCreativeWork 65 | AddToPlaylist 66 | SearchScreeningEvent 67 | BookRestaurant 68 | PlayMusic 69 | AddToPlaylist 70 | BookRestaurant 71 | AddToPlaylist 72 | PlayMusic 73 | RateBook 74 | SearchScreeningEvent 75 | PlayMusic 76 | AddToPlaylist 77 | AddToPlaylist 78 | RateBook 79 | PlayMusic 80 | PlayMusic 81 | SearchCreativeWork 82 | RateBook 83 | AddToPlaylist 84 | GetWeather 85 | AddToPlaylist 86 | SearchCreativeWork 87 | GetWeather 88 | AddToPlaylist 89 | AddToPlaylist 90 | SearchScreeningEvent 91 | AddToPlaylist 92 | PlayMusic 93 | RateBook 94 | AddToPlaylist 95 | AddToPlaylist 96 | SearchScreeningEvent 97 | RateBook 98 | AddToPlaylist 99 | AddToPlaylist 100 | SearchCreativeWork 101 | PlayMusic 102 | PlayMusic 103 | SearchScreeningEvent 104 | AddToPlaylist 105 | SearchScreeningEvent 106 | RateBook 107 | AddToPlaylist 108 | PlayMusic 109 | AddToPlaylist 110 | SearchScreeningEvent 111 | PlayMusic 112 | AddToPlaylist 113 | GetWeather 114 | SearchCreativeWork 115 | GetWeather 116 | GetWeather 117 | SearchCreativeWork 118 | SearchCreativeWork 119 | PlayMusic 120 | AddToPlaylist 121 | BookRestaurant 122 | GetWeather 123 | SearchCreativeWork 124 | RateBook 125 | RateBook 126 | AddToPlaylist 127 | BookRestaurant 128 | GetWeather 129 | BookRestaurant 130 | SearchScreeningEvent 131 | GetWeather 132 | SearchScreeningEvent 133 | RateBook 134 | GetWeather 135 | PlayMusic 136 | SearchCreativeWork 137 | RateBook 138 | SearchScreeningEvent 139 | AddToPlaylist 140 | PlayMusic 141 | GetWeather 142 | BookRestaurant 143 | PlayMusic 144 | AddToPlaylist 145 | SearchCreativeWork 146 | AddToPlaylist 147 | GetWeather 148 | GetWeather 149 | SearchScreeningEvent 150 | GetWeather 151 | SearchScreeningEvent 152 | GetWeather 153 | PlayMusic 154 | PlayMusic 155 | AddToPlaylist 156 | GetWeather 157 | SearchCreativeWork 158 | AddToPlaylist 159 | PlayMusic 160 | BookRestaurant 161 | SearchScreeningEvent 162 | GetWeather 163 | RateBook 164 | BookRestaurant 165 | BookRestaurant 166 | SearchScreeningEvent 167 | AddToPlaylist 168 | SearchCreativeWork 169 | BookRestaurant 170 | SearchScreeningEvent 171 | BookRestaurant 172 | SearchScreeningEvent 173 | BookRestaurant 174 | SearchScreeningEvent 175 | SearchCreativeWork 176 | PlayMusic 177 | AddToPlaylist 178 | GetWeather 179 | RateBook 180 | GetWeather 181 | PlayMusic 182 | PlayMusic 183 | GetWeather 184 | AddToPlaylist 185 | SearchCreativeWork 186 | SearchCreativeWork 187 | AddToPlaylist 188 | AddToPlaylist 189 | BookRestaurant 190 | AddToPlaylist 191 | RateBook 192 | RateBook 193 | RateBook 194 | BookRestaurant 195 | SearchCreativeWork 196 | PlayMusic 197 | SearchScreeningEvent 198 | BookRestaurant 199 | PlayMusic 200 | SearchCreativeWork 201 | AddToPlaylist 202 | GetWeather 203 | SearchCreativeWork 204 | BookRestaurant 205 | GetWeather 206 | AddToPlaylist 207 | RateBook 208 | SearchCreativeWork 209 | SearchScreeningEvent 210 | GetWeather 211 | GetWeather 212 | PlayMusic 213 | PlayMusic 214 | SearchCreativeWork 215 | GetWeather 216 | AddToPlaylist 217 | SearchCreativeWork 218 | AddToPlaylist 219 | SearchCreativeWork 220 | GetWeather 221 | PlayMusic 222 | SearchCreativeWork 223 | PlayMusic 224 | SearchScreeningEvent 225 | AddToPlaylist 226 | PlayMusic 227 | SearchCreativeWork 228 | BookRestaurant 229 | SearchCreativeWork 230 | AddToPlaylist 231 | SearchScreeningEvent 232 | SearchCreativeWork 233 | SearchScreeningEvent 234 | BookRestaurant 235 | PlayMusic 236 | SearchScreeningEvent 237 | GetWeather 238 | SearchCreativeWork 239 | AddToPlaylist 240 | BookRestaurant 241 | SearchScreeningEvent 242 | BookRestaurant 243 | SearchCreativeWork 244 | SearchScreeningEvent 245 | SearchScreeningEvent 246 | PlayMusic 247 | GetWeather 248 | PlayMusic 249 | RateBook 250 | RateBook 251 | GetWeather 252 | PlayMusic 253 | GetWeather 254 | PlayMusic 255 | PlayMusic 256 | SearchScreeningEvent 257 | SearchCreativeWork 258 | RateBook 259 | SearchScreeningEvent 260 | SearchCreativeWork 261 | AddToPlaylist 262 | SearchScreeningEvent 263 | GetWeather 264 | AddToPlaylist 265 | GetWeather 266 | GetWeather 267 | AddToPlaylist 268 | PlayMusic 269 | AddToPlaylist 270 | GetWeather 271 | PlayMusic 272 | AddToPlaylist 273 | BookRestaurant 274 | BookRestaurant 275 | BookRestaurant 276 | SearchCreativeWork 277 | SearchScreeningEvent 278 | BookRestaurant 279 | RateBook 280 | BookRestaurant 281 | SearchCreativeWork 282 | BookRestaurant 283 | SearchScreeningEvent 284 | GetWeather 285 | PlayMusic 286 | SearchScreeningEvent 287 | RateBook 288 | AddToPlaylist 289 | RateBook 290 | GetWeather 291 | SearchCreativeWork 292 | AddToPlaylist 293 | AddToPlaylist 294 | SearchScreeningEvent 295 | SearchScreeningEvent 296 | AddToPlaylist 297 | SearchScreeningEvent 298 | RateBook 299 | PlayMusic 300 | AddToPlaylist 301 | AddToPlaylist 302 | SearchScreeningEvent 303 | SearchScreeningEvent 304 | AddToPlaylist 305 | GetWeather 306 | GetWeather 307 | RateBook 308 | SearchCreativeWork 309 | GetWeather 310 | RateBook 311 | RateBook 312 | BookRestaurant 313 | SearchCreativeWork 314 | PlayMusic 315 | BookRestaurant 316 | GetWeather 317 | SearchCreativeWork 318 | PlayMusic 319 | GetWeather 320 | SearchScreeningEvent 321 | SearchScreeningEvent 322 | SearchScreeningEvent 323 | BookRestaurant 324 | PlayMusic 325 | SearchCreativeWork 326 | SearchCreativeWork 327 | BookRestaurant 328 | BookRestaurant 329 | GetWeather 330 | SearchCreativeWork 331 | SearchScreeningEvent 332 | SearchScreeningEvent 333 | GetWeather 334 | AddToPlaylist 335 | BookRestaurant 336 | SearchCreativeWork 337 | PlayMusic 338 | SearchCreativeWork 339 | SearchScreeningEvent 340 | SearchCreativeWork 341 | AddToPlaylist 342 | PlayMusic 343 | AddToPlaylist 344 | AddToPlaylist 345 | SearchScreeningEvent 346 | RateBook 347 | BookRestaurant 348 | PlayMusic 349 | SearchScreeningEvent 350 | SearchCreativeWork 351 | SearchScreeningEvent 352 | BookRestaurant 353 | SearchCreativeWork 354 | PlayMusic 355 | SearchCreativeWork 356 | SearchScreeningEvent 357 | RateBook 358 | GetWeather 359 | SearchScreeningEvent 360 | RateBook 361 | SearchScreeningEvent 362 | RateBook 363 | SearchScreeningEvent 364 | BookRestaurant 365 | RateBook 366 | SearchScreeningEvent 367 | GetWeather 368 | RateBook 369 | SearchScreeningEvent 370 | PlayMusic 371 | BookRestaurant 372 | AddToPlaylist 373 | SearchCreativeWork 374 | BookRestaurant 375 | RateBook 376 | BookRestaurant 377 | GetWeather 378 | AddToPlaylist 379 | BookRestaurant 380 | BookRestaurant 381 | AddToPlaylist 382 | RateBook 383 | GetWeather 384 | BookRestaurant 385 | BookRestaurant 386 | SearchCreativeWork 387 | BookRestaurant 388 | BookRestaurant 389 | BookRestaurant 390 | BookRestaurant 391 | SearchScreeningEvent 392 | SearchCreativeWork 393 | BookRestaurant 394 | AddToPlaylist 395 | SearchCreativeWork 396 | SearchScreeningEvent 397 | PlayMusic 398 | SearchScreeningEvent 399 | SearchCreativeWork 400 | SearchScreeningEvent 401 | SearchCreativeWork 402 | GetWeather 403 | AddToPlaylist 404 | PlayMusic 405 | RateBook 406 | SearchScreeningEvent 407 | AddToPlaylist 408 | SearchScreeningEvent 409 | SearchScreeningEvent 410 | GetWeather 411 | PlayMusic 412 | RateBook 413 | SearchCreativeWork 414 | SearchCreativeWork 415 | SearchCreativeWork 416 | RateBook 417 | PlayMusic 418 | AddToPlaylist 419 | AddToPlaylist 420 | SearchScreeningEvent 421 | AddToPlaylist 422 | RateBook 423 | SearchCreativeWork 424 | SearchScreeningEvent 425 | PlayMusic 426 | PlayMusic 427 | BookRestaurant 428 | SearchScreeningEvent 429 | SearchCreativeWork 430 | BookRestaurant 431 | GetWeather 432 | BookRestaurant 433 | RateBook 434 | RateBook 435 | BookRestaurant 436 | SearchCreativeWork 437 | BookRestaurant 438 | AddToPlaylist 439 | AddToPlaylist 440 | GetWeather 441 | RateBook 442 | AddToPlaylist 443 | GetWeather 444 | SearchScreeningEvent 445 | SearchScreeningEvent 446 | SearchCreativeWork 447 | BookRestaurant 448 | AddToPlaylist 449 | BookRestaurant 450 | SearchCreativeWork 451 | PlayMusic 452 | BookRestaurant 453 | GetWeather 454 | RateBook 455 | GetWeather 456 | GetWeather 457 | AddToPlaylist 458 | GetWeather 459 | AddToPlaylist 460 | GetWeather 461 | SearchCreativeWork 462 | PlayMusic 463 | AddToPlaylist 464 | GetWeather 465 | RateBook 466 | AddToPlaylist 467 | GetWeather 468 | RateBook 469 | GetWeather 470 | PlayMusic 471 | SearchCreativeWork 472 | PlayMusic 473 | GetWeather 474 | BookRestaurant 475 | SearchCreativeWork 476 | RateBook 477 | AddToPlaylist 478 | SearchCreativeWork 479 | PlayMusic 480 | GetWeather 481 | PlayMusic 482 | GetWeather 483 | GetWeather 484 | AddToPlaylist 485 | SearchCreativeWork 486 | SearchScreeningEvent 487 | SearchScreeningEvent 488 | AddToPlaylist 489 | PlayMusic 490 | RateBook 491 | AddToPlaylist 492 | AddToPlaylist 493 | GetWeather 494 | AddToPlaylist 495 | SearchCreativeWork 496 | AddToPlaylist 497 | SearchScreeningEvent 498 | AddToPlaylist 499 | AddToPlaylist 500 | AddToPlaylist 501 | GetWeather 502 | RateBook 503 | SearchScreeningEvent 504 | AddToPlaylist 505 | RateBook 506 | BookRestaurant 507 | SearchScreeningEvent 508 | BookRestaurant 509 | SearchScreeningEvent 510 | RateBook 511 | SearchScreeningEvent 512 | PlayMusic 513 | RateBook 514 | AddToPlaylist 515 | GetWeather 516 | SearchCreativeWork 517 | SearchCreativeWork 518 | AddToPlaylist 519 | AddToPlaylist 520 | BookRestaurant 521 | SearchCreativeWork 522 | SearchScreeningEvent 523 | RateBook 524 | SearchScreeningEvent 525 | AddToPlaylist 526 | PlayMusic 527 | GetWeather 528 | SearchCreativeWork 529 | RateBook 530 | SearchCreativeWork 531 | SearchScreeningEvent 532 | AddToPlaylist 533 | SearchCreativeWork 534 | BookRestaurant 535 | GetWeather 536 | AddToPlaylist 537 | SearchScreeningEvent 538 | PlayMusic 539 | GetWeather 540 | BookRestaurant 541 | PlayMusic 542 | SearchCreativeWork 543 | AddToPlaylist 544 | SearchScreeningEvent 545 | SearchScreeningEvent 546 | SearchScreeningEvent 547 | SearchCreativeWork 548 | SearchScreeningEvent 549 | SearchScreeningEvent 550 | RateBook 551 | AddToPlaylist 552 | AddToPlaylist 553 | PlayMusic 554 | GetWeather 555 | RateBook 556 | AddToPlaylist 557 | SearchScreeningEvent 558 | SearchScreeningEvent 559 | SearchScreeningEvent 560 | SearchScreeningEvent 561 | PlayMusic 562 | GetWeather 563 | SearchScreeningEvent 564 | BookRestaurant 565 | SearchCreativeWork 566 | AddToPlaylist 567 | PlayMusic 568 | SearchCreativeWork 569 | AddToPlaylist 570 | SearchCreativeWork 571 | SearchScreeningEvent 572 | GetWeather 573 | GetWeather 574 | SearchCreativeWork 575 | BookRestaurant 576 | GetWeather 577 | BookRestaurant 578 | GetWeather 579 | SearchCreativeWork 580 | GetWeather 581 | GetWeather 582 | GetWeather 583 | AddToPlaylist 584 | BookRestaurant 585 | SearchCreativeWork 586 | RateBook 587 | SearchCreativeWork 588 | BookRestaurant 589 | AddToPlaylist 590 | SearchScreeningEvent 591 | BookRestaurant 592 | SearchScreeningEvent 593 | GetWeather 594 | BookRestaurant 595 | PlayMusic 596 | SearchScreeningEvent 597 | PlayMusic 598 | SearchCreativeWork 599 | BookRestaurant 600 | BookRestaurant 601 | GetWeather 602 | RateBook 603 | GetWeather 604 | RateBook 605 | SearchCreativeWork 606 | RateBook 607 | RateBook 608 | GetWeather 609 | GetWeather 610 | AddToPlaylist 611 | GetWeather 612 | AddToPlaylist 613 | RateBook 614 | SearchCreativeWork 615 | RateBook 616 | SearchScreeningEvent 617 | AddToPlaylist 618 | SearchCreativeWork 619 | SearchCreativeWork 620 | PlayMusic 621 | BookRestaurant 622 | SearchCreativeWork 623 | SearchScreeningEvent 624 | AddToPlaylist 625 | RateBook 626 | SearchCreativeWork 627 | RateBook 628 | PlayMusic 629 | SearchCreativeWork 630 | PlayMusic 631 | PlayMusic 632 | BookRestaurant 633 | RateBook 634 | PlayMusic 635 | SearchCreativeWork 636 | GetWeather 637 | BookRestaurant 638 | SearchScreeningEvent 639 | PlayMusic 640 | AddToPlaylist 641 | RateBook 642 | RateBook 643 | PlayMusic 644 | GetWeather 645 | AddToPlaylist 646 | SearchScreeningEvent 647 | PlayMusic 648 | BookRestaurant 649 | SearchCreativeWork 650 | PlayMusic 651 | GetWeather 652 | BookRestaurant 653 | AddToPlaylist 654 | AddToPlaylist 655 | RateBook 656 | BookRestaurant 657 | SearchCreativeWork 658 | SearchCreativeWork 659 | GetWeather 660 | GetWeather 661 | BookRestaurant 662 | AddToPlaylist 663 | AddToPlaylist 664 | SearchScreeningEvent 665 | RateBook 666 | AddToPlaylist 667 | SearchCreativeWork 668 | AddToPlaylist 669 | GetWeather 670 | AddToPlaylist 671 | AddToPlaylist 672 | SearchCreativeWork 673 | SearchScreeningEvent 674 | AddToPlaylist 675 | AddToPlaylist 676 | PlayMusic 677 | AddToPlaylist 678 | PlayMusic 679 | SearchCreativeWork 680 | SearchCreativeWork 681 | SearchCreativeWork 682 | AddToPlaylist 683 | GetWeather 684 | SearchScreeningEvent 685 | SearchCreativeWork 686 | BookRestaurant 687 | RateBook 688 | BookRestaurant 689 | GetWeather 690 | GetWeather 691 | BookRestaurant 692 | SearchScreeningEvent 693 | RateBook 694 | PlayMusic 695 | AddToPlaylist 696 | SearchCreativeWork 697 | SearchCreativeWork 698 | RateBook 699 | AddToPlaylist 700 | RateBook 701 | -------------------------------------------------------------------------------- /data/SNIPS/test/seq.in: -------------------------------------------------------------------------------- 1 | add sabrina salerno to the grime instrumentals playlist 2 | i want to bring four people to a place that s close to downtown that serves churrascaria cuisine 3 | put lindsey cardinale into my hillary clinton s women s history month playlist 4 | will it snow in mt on june 13 2038 5 | play signe anderson chant music that is newest 6 | can you let me know what animated movies are playing close by 7 | can you get me reservations for a highly rated restaurant in seychelles 8 | what s the weather here on 2/7/2021 9 | find worldly goods starting now at a movie house 10 | on june 27 2026 i d like to go to a delaware gastropub 11 | what movies are playing at mann theatres 12 | find a movie called living in america 13 | find on dress parade 14 | make a reservation at a bakery that has acquacotta in central african republic for five 15 | where can i purchase the tv show time for heroes 16 | will the wind die down at my current location by supper time 17 | please search the young warriors game 18 | make me a reservation in south carolina 19 | what movie theatre is showing if the huns came to melbourne 20 | restaurant in bulgaria this week party for 9 numbers 21 | rate the current novel four of 6 stars 22 | add the song don t drink the water to my playlist 23 | add this tune by rod argent to propuesta alternativa playlist 24 | show the movie times 25 | will it snow in amy 26 | what will the weather be at nine am in hi 27 | in one hour find king of hearts 28 | book a spot for ten at a top-rated caucasian restaurant not far from selmer 29 | play music from clark kent in the year 1987 30 | add to the rock games 31 | add this artist to pop 2017 picks 32 | i rate shadow of suribachi at five stars 33 | play some sixties music 34 | what film is playing nearby 35 | add nothing fancy to meditate to sounds of nature playlist 36 | get the video game of the chipmunk song 37 | rate lamy of santa fe 5 of 6 stars 38 | show me movie schedules 39 | what will the weather be in lago vista on october fourteenth 2022 40 | weather next year in canada 41 | play a new symphony by perfecto de castro on lastfm 42 | rate cuisines of the axis of evil and other irritating states one out of 6 43 | play arif music from the fourties 44 | what is the weather of east portal ks 45 | play a melody from elmer bernstein 46 | what is the weather going to be like in klondike gold rush national historical park on february the 28th 2034 47 | play songs by sarah harding 48 | rate the chronicle ten from tomorrow a 2 49 | book a table for 2 at a restaurant in follett 50 | book a brasserie in samoa for four people 51 | play the new noise theology e p 52 | find a reservation at a restaurant that serves gougère in laneville with a party of nine 53 | find the cold dead hand video game for me 54 | book a bakery for lebanese on january 11th 2032 55 | rate the book an appeal from the new to the old whigs a 0 56 | book a table for 8 at a restaurant that serves far breton 57 | rate this current novel 1 stars 58 | i rate secret water as a 4 59 | is unbeatable harold at century theatres 60 | please find me asking alexandria discography 61 | what will the weather be in berville ak on feb 6 2017 62 | is it warm in botna 63 | please add a track to my playlist called this is coti 64 | find the via dolorosa: songs of redemption saga 65 | can you add confessions to my playlist called clásica 66 | find the schedule for nearby animated movies 67 | book a table today at a steakhouse for eight that serves sashimi 68 | play the last sound track by soko from around 1975 69 | add this song to blues roots 70 | coon chicken inn restaurant for 1 am for me clarice and debbie 71 | add karusellen to jazz brasileiro 72 | play some steve boyett chant music 73 | give 1 out of 6 points to this novel 74 | show the movie schedule of animated movies close by 75 | please play the newest music by evil jared hasselhoff 76 | add tune to my mellow bars playlist 77 | put coming back to life onto winter music 78 | rate this textbook a zero 79 | i want to hear any tune from the twenties 80 | play me a top-ten song by phil ochs on groove shark 81 | find a video game called family dog 82 | rate awaiting strange gods: weird and lovecraftian fictions a 1 83 | add lisa m to my guitar hero live playlist 84 | what is the weather forecast for my current place 85 | add strong to the metal monday playlist 86 | where can i find conduct unbecoming 87 | will it be freezing in the current position 88 | add the da brat track to the soak up the sun playlist 89 | add a track to the another glass playlist 90 | find now and forever 91 | the workout playlist needs more chris cross 92 | play some jungle music on iheart 93 | give 1 point to current textbook 94 | put no mystery into my punk essentials playlist 95 | i want to put look to you on the playlist named 80s classic hits 96 | what time is beat the devil coming on at mann theatres 97 | rate the current chronicle a zero 98 | add garry shider album to my classical essentials 99 | add the artist cho kyu hyun to funky jams 100 | find the work i looked up 101 | play this is colour by panda bear 102 | play the god that failed on vimeo 103 | can i get the butterfly crush showings 104 | add hanging on to my just dance by aftercluv playlist 105 | show me when scandalous john is playing 106 | a day no pigs would die deserves a best rating of 6 and a value of 4 107 | for my crossfit playlist add the soul sessions volume 2 108 | play some james cleveland 109 | put this tune on dancepop 110 | what time will paris by night aired 111 | play music on spotify 112 | i want a matt garrison tune in my fresh finds fire emoji playlist 113 | will there be snowfall at six pm in leisure knoll california 114 | search for the television show me and my guitar 115 | tell me when it will be chilly in chicken united kingdom 116 | is it windy in telogia 117 | find a tv show called revenge of the nerds 118 | find the video game called turnin me on 119 | play the song i get ideas as performed by richard kruspe 120 | add turk to the deep house playlist 121 | find a reservation at fish express 122 | check the forecast for the current spot in the future oct 19 2037 123 | how can i view the show corpus: a home movie about selena 124 | i would rate that old ace in the hole one stars and a best rating of 6 125 | add the rating for this current series a four out of 6 points 126 | add justin mcroberts to this is chopin 127 | book a bar that serves italian-american cuisine neighboring wilson av for one person 128 | is fog forecast close-by to pakistan 129 | book a restaurant for 3 people at eighteen oclock in saint vincent and the grenadines 130 | find the schedule for films at night at great escape theatres 131 | is there snow in the district of columbia 132 | find a movie schedule 133 | rate the beggar of volubilis 1 out of 6 134 | what is the forecast in heber 135 | please play an album from 1987 136 | show me the courts of chaos 137 | give the current book five stars out of 6 138 | when is fine totally fine playing 139 | add a tune to clásicos del hip hop español 140 | play jawad ahmad 141 | what is the forecast for in 1 second at monte sereno for freezing temps 142 | i would like to eat fast food and have a party of two in kentucky 143 | play music from itunes for ric grech 144 | add jennie jennie to my metal playlist 145 | show the tv show the last samurai 146 | add rob tyner to betsy s we everywhere 147 | show me the weather forecast for the city of spencer 148 | how is the weather in getzville minnesota 149 | what is dear old girl cooper foundation 150 | i need a weather forecast for são tomé and príncipe on december 8th 2026 151 | what animated movies are showing in the area 152 | tell me the weather forecast for april 15 2019 here 153 | play the track asleep in the deep 154 | play kurt cobain ballad tunes 155 | can you add a track to my spain top 50 playlist 156 | at meal time while i m here will it be hot 157 | can you find me the magic hour song 158 | add mary wells sings my guy to the electro sur playlist 159 | play some kyle ward from the seventies 160 | book a table around london borough of ealing that is highly rated in a gluten free bar 161 | when is crime and punishment u s a showing 162 | will it snowstorm in long lake national wildlife refuge 163 | rate current essay a zero 164 | book me a reservation at a bar around juliff for three people that serves bucatini for now 165 | book a highly rated place in in in seven years at a pub 166 | what time is southern theatres showing ukraine is not a brothel 167 | add this album ny bill callahan to my mi casa es la tuya playlist oficial list 168 | find a soundtrack called pax warrior 169 | book a table for ten for breakfast in minnesota 170 | what is the local movie schedule 171 | book a restaurant for three on feb 18 172 | i d like to know what movies are on the movie schedules nearby 173 | please make me reservations somewhere for eight people in foley nv 174 | she me movie times at mann theatres 175 | find the picture ultima vi: the false prophet 176 | play the best album from the seventies 177 | add kylie minogue to my novedades viernes sudamérica playlist 178 | is it freezing in colorado 179 | the last hawk gets a total of 3 out of 6 stars from me 180 | will it be stormy in ma 181 | play pop 2017 picks 182 | play some theme songs from 1974 183 | what will the weather be in la at 9 o clock 184 | can you add xanadu to latin alternative music 185 | can you find me the naked city – justice with a bullet album 186 | please search the work eve-olution 187 | add i dreamt of a dragon to my futuros hits playlist 188 | add this artist to the laugh list 189 | i d like to eat at a restaurant around china with a party of 7 anywhere that serves ouzeri 190 | the sleep machine waterscapes playlist needs some kris chetan ramlu in it 191 | rate the current chronicle five stars 192 | rate this novel five of 6 193 | my rating for the eiffel tower and other mythologies is 0 out of 6 stars 194 | i d like a table for midday at the unseen bean 195 | where can i see the movie across the line: the exodus of charlie wright 196 | turn on spotify to tiny tim ep 197 | what are the movie schedules 198 | i want a table for me and my kids in turkey at a neighboring restaurant 199 | play a top 5 song from wally bastian on google music 200 | please search the ironbound picture 201 | put a gary clark song into the soul bpm playlist 202 | will it be hot on orthodox good friday in michigan and close-by 203 | i want to see the television show called cuts both ways 204 | i d like to reserve a table at a pub that serves andouillettes within the same area in san marino 205 | what is the weather like in hurstville 206 | put this album on my wild country playlist 207 | rate this textbook 2 out of 6 208 | search for the complots 209 | find the schedule for the band of honest men at the nearest movie theatre 210 | what will the weather be in waverly city brazil on purple heart day 211 | what is the weather forecast in delaware 212 | play a top-50 tune from 1982 213 | play shinji miyazaki s music on netflix 214 | can i get the game list of mew singles 215 | what s the forecast for belize around meal time 216 | add gary lachman track to jazz for loving couples playlist 217 | find the path to power 218 | put artist paulinho da costa on my very nearly nashville playlist 219 | i am looking for the work: nikki 220 | what s the weather in low moor 221 | play some nineties music 222 | find a television show called swing high 223 | use netflix to play bizzy bone kiss me goodnight sergeant major 224 | i d like to see movie schedules for kerasotes theatres 225 | i want these are the days added to my spotlight spain 2016 playlist 226 | play the greatest soundtrack by nhat son on last fm 227 | what is the tv series in app store 228 | book the space aliens grill & bar in hord wy for feb the twenty-seventh 229 | find a saga called set sail the prairie 230 | can jovino santos neto s album get added to my confidence boost playlist 231 | show animated movies in nearest movie theatre 232 | find the game company of heroes 233 | where can i find paranormal activity 3 playing near me 1 hour from now 234 | book a table this evening in saint vincent and the grenadines at a gastropub 235 | can i listen to dj vibe s top 10 236 | what films are at the nearest cinema 237 | what is the weather like in north salt lake and afghanistan 238 | can you tell me the actors of the saga awards/ 239 | go to my all out 00s and add brian wilson 240 | food truck in panama for five 241 | look up the movie schedule 242 | book a table for chasity ruiz and mary at the fat duck in puerto rico 243 | find the gill deacon show 244 | find the movie schedule for films in the area 245 | will i be able to watch camping-car at movie house at 6 pm 246 | play how does it work by helen carter 247 | what s the weather like in schenectady ma 248 | play some folk-rock music 249 | give this current book zero out of 6 250 | rate this album 5 points 251 | how is the weather right now at my current place 252 | play sixties music by giovanni battista guadagnini 253 | tell me the weather forecast close by brown county state park for meal time 254 | play the last wellman braud album relaesd 255 | play sugar baby by frank beard 256 | find the schedule for the solitude of prime numbers at the nearest cinema in 1 hour 257 | play the discografia de the pretty reckless saga 258 | i want to give the current textbook 0 out of 6 stars 259 | show me movie times for animated movies playing three hours from now in the neighbourhood 260 | find the game just dance greatest hits 261 | add this track to the sin ti playlist 262 | show me the closest movie house playing an unfinished life at eight pm 263 | what s it like in bahrain right now 264 | can you add blood on the face to the playlist called heartland country 265 | on jan the twentieth what will it feel like in ct or the area not far from it 266 | i need a table in uruguay in 213 days when it s chillier 267 | add this track by horace andy to acoustic soul 268 | plan an album by roni duani 269 | add song to siesta 270 | can you tell me the weather forecast for samoa 271 | play music on youtube 272 | add spirit touches ground to my leche con chocolate list 273 | i need a table for 1 minute from now at any pub for five around in that also serves fisn n chips 274 | book a spot at the food truck in ma 275 | 21 weeks from now elinor crystal turner and nita want to eat german food at a bar in distant california 276 | find a tv show called ruthless 277 | find animated movies close by with a movie schedule 278 | book a spot for 7 at an outdoor food court in denmark 279 | i would rate the persistence of vision 1 stars and a best rating of 6 280 | i need a reservation for february 27 2020 at a bar that serves paté 281 | find the ghost of tom joad 282 | i need a reservation for ten at a tavern in west virginia 283 | what time is children of divorce playing 284 | will there be a blizzard in white house curacao 285 | play the top melody from artist maakii 286 | are any animated movies playing at magic johnson theatres 287 | give the current album a five 288 | i want to add digital line to my playlist called infantil 289 | the current essay gets four points 290 | what will the weather be in grand coteau ut at six pm 291 | can you find me a trailer for phineas redux 292 | add the singer ivan roudyk to my fairy tales playlists 293 | add song in my playlist dance workout 294 | what movies can i see in the area 295 | tell me what films are playing at plitt theatres 296 | add in the heart of the world to the epic gaming playlist 297 | find movie times 298 | rate the book english grammar in use a five 299 | play tujiko noriko s ten years and running 300 | add the song to the soundscapes for gaming playlist 301 | can you put a song by jessica mauboy on my playlist entitled a sudden rainstorm 302 | show movie schedule 303 | show me movie schedules for today 304 | add cecil womack to my 50 great female voices playlist 305 | will it be freezing here in 9 seconds 306 | forecast for serbia 307 | i want to give a mortal flower a two 308 | where can i view the picture reaching horizons 309 | in hawaii will it be warmer at 3 am 310 | rate the little book four stars 311 | rate the current textbook one of 6 stars 312 | i want a table for five at a restaurant with latin food in arkansas for 1 hour from now 313 | find love will tear us apart a photograph 314 | please play me a popular track from 1984 315 | book a mediterranean restaurant for my sister and i 316 | how will the weather be different 5 years from now in waconia 317 | search for teenage mutant hero turtles: fall of the foot clan photograph 318 | play party anthems 319 | what is the niceville forecast in fm 320 | find heat wave 321 | which is the nearest movie house playing the diary of anne frank 322 | can i have the movie schedule for imax corporation 323 | book me a reservation for eight for the top-rated bakery eleven hours from now in mango 324 | play yung joc on slacker 325 | show 50 words for snow creative picture 326 | play the electrochemical and solid state letters song 327 | table for 8 at a popular food court 328 | find me a table for 8 people at a nearby al restaurant one minute from now 329 | is there rain now in maine 330 | show me the photograph johnny cash: the complete columbia album collection 331 | find movie schedules 332 | find movie schedules for united paramount theatres 333 | what is the forecast for montana at dinner 334 | please add this track to my de camino playlist 335 | book me a restaurant please 336 | find drumline: a new beat a picture 337 | play the red room sessions from chris cunningham 338 | play the great adventures of slick rick game 339 | list movie schedules for movies playing close by 340 | i am looking for the tv show called the flight of the lost balloon 341 | add david axelrod to my futuros hits list 342 | play me sun ra songs from the fifties 343 | add this track to my dinnertime acoustics playist 344 | add tune to atmospheric black metal playlist 345 | need to see mother joan of the angels in one second 346 | give 2 out of 6 points to the following textbook 347 | i would like to book a restaurant for two in 42 weeks from now in wagram 348 | play some last fm music like the 1992 ep from peaches 349 | where is the closest cinema playing a drink in the passage 350 | i m hoping you can find a photograph from live at the isle of wight 1970 351 | what movies are around here 352 | book a restaurant distant from downtown 353 | find doggy day school an album 354 | please play bitch please ii 355 | find a video game called young 356 | is strauss is playing today at the cineplex odeon corporation 357 | award this current novel 0 points 358 | weather for this winter here 359 | what animated movies are playing at the closest movie theatre 360 | rate this book four of 6 points 361 | i want to go see the trouble with girls 362 | cock-a-doodle-doo was awful i m giving it a 0 out of 6 363 | show me the schedule of films in the neighbourhood 364 | book a table for nine people in svalbard and jan mayen 365 | i would give french poets and novelists a best rating of 6 and a value of three 366 | what animated movies are playing nearby 367 | will there be a cloud here at 06:50:20 368 | i want to give the chronicle zombie bums from uranus 3 points 369 | i d like to know when i can see the taking of flight 847: the uli derickson story at amco entertainment 370 | play is this my world by leo arnaud 371 | book a reservation for clinton street baking company & restaurant distant from downtown 372 | add nyoil to my this is prince playlist 373 | show me the everybody wants you picture 374 | find a restaurant in fm that servec quiche 375 | i would give this current novel 2 stars with a best rating of 6 376 | i want to book a pastelaria cafe in alabama for me and my great grandfather 377 | is hail in the weather forecast for monterey bay national marine sanctuary 378 | add tune to sxsw fresh playlist 379 | make a reservation in a popular sicilian bar place nearby for me only tomorrow 380 | i need a table for 9 381 | add this artist to my post-grunge playlist 382 | rate this album a 2 383 | what will the weather be like this tuesday in the area neighboring rendezvous mountain educational state forest 384 | i need a table in ottoville on feb 15th 2029 at gus stevens seafood restaurant & buccaneer lounge 385 | i need a table for five at childs restaurants in brunei 386 | how do i get the game still on it 387 | i would like to make a reservation for 2 for brunch 388 | need a table for party of five for december 26 2040 in the state of mt 389 | book me a restaurant for nine in statham 390 | i d like a table for ten in 2 minutes at french horn sonning eye 391 | find a movie house for 07:52 showing ganges: river to heaven 392 | what is the michael moore is a big fat stupid white man video game 393 | i want to eat close to bowlegs seven years from now 394 | for my playlist chill add the name cater fe she 395 | search for the halfway home tv show 396 | find movie times 397 | play journey list 398 | tell me what animated movies i can see at the closest movie theatre 399 | i d like to see the trailer tony parker 400 | what time is holiday heart showing at the movie house 401 | play the movie white christmas 402 | is it forecast to be warm in doi inthanon national park 403 | add this tune to cristina s endorphin rush playlist 404 | play a song by nash the slash 405 | i rate doom 3: worlds on fire a 1 of 6 406 | what time is phil ochs: there but for fortune playing at the movie house 407 | add andreas johnson to my rock save the queen playlist 408 | i d like to watch take this waltz 409 | what are the mann theatres showtimes for secret sunshine 410 | will there be snowfall in kitlope heritage conservancy 411 | play geddy lee music on spotify sort by top 412 | rate in the eyes of mr fury zero of 6 413 | look up the tv series operace silver a 414 | i m looking for the tv series called unborn 415 | play the song memories are my only witness 416 | i give the phishing manual four stars out of 6 417 | play clásicos del hip hop español 418 | add rupee to my ultra metal playlist 419 | add shi xin hui to my piano chill playlist 420 | what time is the clutching hand playing at amco entertainment 421 | add circus to my post garage wave revival list 422 | the chronicle charlie peace earns 4 stars from me 423 | find conker: live and reloaded 424 | show me the nearest movie house showing the luckiest girl in the world 425 | play track music from peter finestone on netflix sort by newest 426 | play the song shine a light 427 | book a popular restaurant of thai cuisine 428 | which animated movies are playing in the neighbourhood and when 429 | i want to listen to the song only the greatest 430 | i d like to eat at the best restaurant 431 | is it going to be chilly in western sahara in 13 hours 432 | i want to book a restaurant for four around zapata 433 | rate if tomorrow comes 2 of 6 stars 434 | the book history by contract is rated five stars in my opinion 435 | i want to book a bar in bonaparte palau 436 | i m looking for dead at 21 the tv series 437 | can you make reservations at a tea house that serves fettucine 438 | put a track by lil mama into my guest list sneaky zebra playlist 439 | put some frank ferrer into my edna st vincent millay playlist 440 | what is the forecast for niger 441 | rate this novel a 3 442 | add this ruth crawford seeger song to my playlist called the soundtrack 007 443 | is it going to snow next year in wv 444 | is romulus and the sabines playing at the nearest cinema at ten 445 | show me the new showings for animated movies in the neighborhood 446 | play the video game the genesis machine 447 | i want to go to 88th st-boyd av or close by and book seats for 10 448 | i need to add to the funk soul disco playlist my favorite artist 449 | i want to book a cafe for 3 in fargo 450 | where can i watch tv series shopping spree 451 | play an andy silvester sound track from the thirties on spotify 452 | i d like to eat at a popular brasserie in chile with a party of 5 453 | what s the forecast for my current place at five pm 454 | give private games 3 stars out of 6 455 | in 17 minutes will it be foggy in songimvelo game reserve 456 | how hot will it be in wisconsin on august fourth 457 | i d like to put qriii onto songs to sing in the car 458 | will it be chilly in oakdale ok 459 | add dwele to marguerite s eurovision 2016 playlist 460 | what s the weather forecast for croatia on jul 25th 461 | find tv series titled a life in the death of joe meek 462 | open fadl shaker on spotify and play a melody starting with the newest 463 | please add jency anthony to my playlist this is mozart 464 | whats the weather in ga 465 | i rate the chronicle son of the tree with four of 6 points 466 | add git to domingo indie 467 | will there be cloud coverage in verdery myanmar 468 | rate maps for lost lovers 1 of 6 469 | will it snow in granbury 470 | play me a cinder block movement 471 | find the tv series shaun the sheep 472 | i want to hear the jody williams sound track 473 | what is the forecast for foggy conditions here in twenty one minutes 474 | book a table at grecian coffee house for 7 on apr 7th 2024 475 | show creative photograph of icewind dale: heart of winter 476 | rate the manxman 5 out of 6 477 | add this song to my lo que suena new york playlist 478 | find reproductions: songs of the human league 479 | play a 2001 sound track on deezer 480 | weather for ma in the morning 481 | play a ballad by bob johnston 482 | is there a snowstorm in russia 483 | will it be nice on aug the nineteenth in beda bulgaria 484 | i d like for you to put this artist to my evening commute playlist 485 | play the caps lock trailer 486 | give me the movie schedules for warren theatres 487 | i need current movie schedules 488 | add even serpents shine to dorothea s indie hipster playlist 489 | play ep by arjen anthony lucassen 490 | give 4 points to this novel 491 | add star light star bright to my jazz classics playlist 492 | put nothing remains the same on my summer music playlist 493 | weather for the night time in new mexico 494 | add pangaea to my gold edition playlist 495 | find me a movie with the name oshin 496 | add ian stuart donaldson to canadian country 497 | show me movie time for i am sorry at my movie house 498 | please add ruud jolie to my playlist guest list polygon 499 | add patti page album to i love my neo soul 500 | add an album by twink to my classic country playlist 501 | will it be a snowy day in dalcour 502 | rate this essay a two out of 6 503 | find the movie schedules for animated movies nearby at 09:44 am 504 | add armand van helden to my black sabbath the ozzy years playlist 505 | give this chronicle a 4 506 | i m looking for a churrascaria place with wifi that can serve a party of five 507 | what time is goodbye mothers playing 508 | book the city tavern in holiday ks 509 | what movies are playing dickinson theatres 510 | rate the key word and other mysteries 4 of 6 511 | i d like to watch may blossom 512 | play some music on slacker 513 | i want to rate the ingenuity gap 3 out of 6 514 | add song to my wild country playlist 515 | what is the weather forecast for close-by burkina 516 | i want to watch supernatural: the unseen powers of animals 517 | listen to dragon ball: music collection 518 | add troy van leeuwen to my nu metal list 519 | add born free to fresh r&b 520 | book at table at forest av restaurant close-by for 2 1 second from now 521 | can you get me the trailer of the multiversity 522 | are there movies at malco theatres 523 | rate the current chronicle series 3 out of 6 points 524 | can i get the movie times 525 | i want to add hind etin to my la mejor música dance 2017 playlist 526 | play some latin on zvooq 527 | what is the freezing forecast for british virgin islands 528 | pull up sweeney todd - il diabolico barbiere di fleet street 529 | put four rating on the raging quiet 530 | show me the tv show limit of love: umizaru 531 | which movies are playing at the closest cinema 532 | add this album by karl davydov to reyna s this is luis fonsi playlist 533 | where can i see the television show falling away from me 534 | book me a table for 5 at a best rated restaurant in italy 535 | will there be a snowstorm in taberville 536 | add this song to this is no te va gustar playlist 537 | can i get the movies showtimes for the closest movie house 538 | do you have something like impossible is nothing by abderrahmane abdelli 539 | what is the weather forecast for cistern 540 | please make reservations in yeager for seven am at a highly rated indian brasserie 541 | play me a nineties sound track 542 | where can i find thor meets captain america 543 | i need to have pat alger s album placed onto the spotlight spain 2016 playlist 544 | can i get the movie times for fox theatres 545 | i d like to watch wish you were dead 546 | i d like to watch apocalypse 2024 547 | show creativity of song a discord electric 548 | is love and other troubles playing 549 | show me the current movie times 550 | rate the lie tree five 551 | i want to add another album to the wine & dine playlist 552 | add another tune to my pumping iron playlist 553 | play a track by mila islam from deezer 554 | is it rainy season in manitou springs 555 | give 2 stars to the doom brigade 556 | add this tune to my dinnertime acoustics list 557 | what are the current movie schedules 558 | what is the showtime for arsho 559 | list movie times at harkins theatres 560 | what movies are showing in the neighborhood 561 | play my playlist tgif on itunes 562 | what will the weather be like on january 2nd 2025 in ga 563 | what animated movies are playing in the neighbourhood and when 564 | book a spot at savoy hotel and grill that is neighboring wisconsin 565 | can you find me the back when i knew it all album 566 | add george thorogood to el mejor rock en español 567 | play the album how insensitive 568 | i m looking for the pokémon: the movie 2000 tv show 569 | place this tune onto my dinner for 2 playlist 570 | where can i see the trailer for love on the beat 571 | list movie times at megaplex theatres 572 | will it be chillier at 06:05:48 in wagener réunion 573 | what is the weather in south bradenton 574 | get jump down painting 575 | please book a room in spaghetti warehouse for catalina delores and brandie mendoza at 12 am 576 | what is the nh forecast for mexican hat 577 | i need to book a top-rated steakhouse this autumn for 1 around azerbaijan 578 | will it be chillier at my current location in one minute 579 | show me heavenly sword 580 | what is the weather forecast for close-by gu 3 years from now 581 | will it be freezing on 4/20/2038 in american beach nc 582 | i need the wather for next week in the philippines 583 | add tune to my metal crash course playlist 584 | i would like to book the best food court with persian food within the same area as ok for my ex husband and i 585 | i d like to see the picture the principle of hope 586 | rate this series 2 out of 6 587 | find a man needs a maid 588 | book a restaurant close by my daughters s work location with burrito three years from now 589 | add this tune to the refugee playlist 590 | find time for movie times now 591 | i would like to book a highly rated brasserie with souvlaki neighboring la next week 592 | find the panic in needle park 593 | is it freezing on jun the 21st in apshawa south africa 594 | i need to take three people to eat 595 | play a 2006 chant 596 | show me the schedule of the loves of letty in cinema closest 597 | play the top 20 ep from the fifties by john bundrick 598 | show creativity of photograph of my wonderful day 599 | book a table in the united states for 10 at the berghoff 600 | i d like to book a brasserie in virginia city ga 601 | will it be temperate in the same area in vi 602 | rate the current novel four out of 6 points 603 | is it going to get chillier near hocking state forest 604 | for the current saga i rate 2 of 6 stars 605 | i want to play the video game espn major league soccer 606 | rate the current book a three 607 | rate this novel 0 of 6 stars 608 | is it going to be chillier at 10 pm in texas 609 | what s the weather in timbo 610 | add the blurred crusade to crate diggers anonymous 611 | tell me the weather forecast for sugarloaf provincial park ten weeks from now 612 | add a gackt camui track to the white noise playlist 613 | rate canto for a gypsy two of 6 stars 614 | i m looking for circus world 615 | this textbook gets a two 616 | show me the movie times 617 | add song to my underground hits 618 | play the album journeyman 619 | find the family jams saga 620 | play rob mills album the golden archipelago 621 | book a spot at a restaurant within walking distance of palau 622 | find me the balance and timing book 623 | find movie schedules for bow tie cinemas 624 | add get happy to cherry s las canciones más lindas del mundo 625 | rate this textbook a 1 626 | shw the picture twin husbands 627 | rate a taste of blackberries a three 628 | play the 1991 soundtrack from ian mcdonald 629 | find an album called just call me stupid 630 | play the insoc ep 631 | i want to hear major harris s songs from the fifties 632 | book a restaurant in donnelly 633 | rate the saint in trouble 1 of 6 634 | play punk rock music 635 | look for a photograph of i wanna sex you up 636 | what is the humidity like in faraway on ak 637 | i d like to eat at an internet restaurant with a party of four 638 | when is just before nightfall playing 639 | play moondog s chupacabra 640 | add album to pop rising 641 | rate this book three points 642 | i am giving this current book album 0 out of 6 stars 643 | play artist vlada divljan from something he did that is good 644 | what will the humidity be in varnado georgia at one am 645 | add no prejudice to 90s indie 646 | what are the movies movie times nearby 647 | i want to hear some songs from the twenties 648 | please make reservations for nine at 3 am 649 | can you pull up queen of the organ 650 | lets hear some dawood sarkhosh from their the power of your love album from groove shark 651 | will it get overcast in la dolores 652 | book a spot for kelli jean and i at a pub at elevenses 653 | add this candi staton artist to my dancefloor hits 654 | i want to add a song by jazz brasileiro 655 | rate wielding a red sword 0 stars 656 | book a taverna that serves bengali for six at five 657 | play the tv series heart of gold 658 | show crafty hands saga 659 | will it be hotter in wyomissing hills 660 | show weather while sunset in the same area in south carolina 661 | table for one somewhere in palco 662 | i would like to add something by kuk harrell to my hip hop 2017 new school playlist 663 | add list of rush instrumentals to this is lady antebellum 664 | where can i see a slice of life 665 | the current textbook gets a 2 rating 666 | add wing track to all a cappella 667 | show me dangers of the canadian mounted 668 | please add this this tune to the playlist this is selena 669 | what will the weather be in stelvio national park 1 hour and 1 minute from now 670 | can you put musiri subramania iyer s song onto the lo-fi love soundtrack 671 | i want to add michelle heaton to this is chopin 672 | show me the movie operetta for the theatre organ 673 | where s the nearest movie house playing no trains no planes 674 | put a xiang xiang track onto women of the blues 675 | can you add a track by david wolfenberger to janell s all funked up playlist 676 | play the album vibrations by marion elise raven 677 | add fabri fibra to evening acoustic 678 | can you play any chant from the fourties 679 | show the night riders 680 | i m looking for a movie called salvage mice 681 | find your personal touch 682 | add this tune to my weekend playlist 683 | is it going to storm in black rock alaska 684 | show the movie schedules at united paramount theatres 685 | i want to read the saga michael clayton 686 | book me a table for 3 at tkk fried chicken in sri lanka 687 | rate this book titled the improvisatore five stars 688 | book a restaurant for one person at 7 am 689 | weather for beauregard il 690 | will there be alot of wind on march 13th in lost creek bahrain 691 | i d like a reservation at a place in iran for neva alice and maggie parker 692 | show me movie schedule for animated movie around here at eleven a m 693 | i give this book dictionary of the english language a 4 rating 694 | play some symphonic rock 695 | add to my playlist all funked up this track 696 | find a tv series called armageddon summer 697 | find politicsnation with al sharpton 698 | rate this album 0 points out of 6 699 | add leah kauffman to my uncharted 4 nathan drake playlist 700 | rate this album two out of 6 701 | -------------------------------------------------------------------------------- /data/SNIPS/valid/label: -------------------------------------------------------------------------------- 1 | AddToPlaylist 2 | AddToPlaylist 3 | AddToPlaylist 4 | AddToPlaylist 5 | AddToPlaylist 6 | AddToPlaylist 7 | AddToPlaylist 8 | AddToPlaylist 9 | AddToPlaylist 10 | AddToPlaylist 11 | AddToPlaylist 12 | AddToPlaylist 13 | AddToPlaylist 14 | AddToPlaylist 15 | AddToPlaylist 16 | AddToPlaylist 17 | AddToPlaylist 18 | AddToPlaylist 19 | AddToPlaylist 20 | AddToPlaylist 21 | AddToPlaylist 22 | AddToPlaylist 23 | AddToPlaylist 24 | AddToPlaylist 25 | AddToPlaylist 26 | AddToPlaylist 27 | AddToPlaylist 28 | AddToPlaylist 29 | AddToPlaylist 30 | AddToPlaylist 31 | AddToPlaylist 32 | AddToPlaylist 33 | AddToPlaylist 34 | AddToPlaylist 35 | AddToPlaylist 36 | AddToPlaylist 37 | AddToPlaylist 38 | AddToPlaylist 39 | AddToPlaylist 40 | AddToPlaylist 41 | AddToPlaylist 42 | AddToPlaylist 43 | AddToPlaylist 44 | AddToPlaylist 45 | AddToPlaylist 46 | AddToPlaylist 47 | AddToPlaylist 48 | AddToPlaylist 49 | AddToPlaylist 50 | AddToPlaylist 51 | AddToPlaylist 52 | AddToPlaylist 53 | AddToPlaylist 54 | AddToPlaylist 55 | AddToPlaylist 56 | AddToPlaylist 57 | AddToPlaylist 58 | AddToPlaylist 59 | AddToPlaylist 60 | AddToPlaylist 61 | AddToPlaylist 62 | AddToPlaylist 63 | AddToPlaylist 64 | AddToPlaylist 65 | AddToPlaylist 66 | AddToPlaylist 67 | AddToPlaylist 68 | AddToPlaylist 69 | AddToPlaylist 70 | AddToPlaylist 71 | AddToPlaylist 72 | AddToPlaylist 73 | AddToPlaylist 74 | AddToPlaylist 75 | AddToPlaylist 76 | AddToPlaylist 77 | AddToPlaylist 78 | AddToPlaylist 79 | AddToPlaylist 80 | AddToPlaylist 81 | AddToPlaylist 82 | AddToPlaylist 83 | AddToPlaylist 84 | AddToPlaylist 85 | AddToPlaylist 86 | AddToPlaylist 87 | AddToPlaylist 88 | AddToPlaylist 89 | AddToPlaylist 90 | AddToPlaylist 91 | AddToPlaylist 92 | AddToPlaylist 93 | AddToPlaylist 94 | AddToPlaylist 95 | AddToPlaylist 96 | AddToPlaylist 97 | AddToPlaylist 98 | AddToPlaylist 99 | AddToPlaylist 100 | AddToPlaylist 101 | BookRestaurant 102 | BookRestaurant 103 | BookRestaurant 104 | BookRestaurant 105 | BookRestaurant 106 | BookRestaurant 107 | BookRestaurant 108 | BookRestaurant 109 | BookRestaurant 110 | BookRestaurant 111 | BookRestaurant 112 | BookRestaurant 113 | BookRestaurant 114 | BookRestaurant 115 | BookRestaurant 116 | BookRestaurant 117 | BookRestaurant 118 | BookRestaurant 119 | BookRestaurant 120 | BookRestaurant 121 | BookRestaurant 122 | BookRestaurant 123 | BookRestaurant 124 | BookRestaurant 125 | BookRestaurant 126 | BookRestaurant 127 | BookRestaurant 128 | BookRestaurant 129 | BookRestaurant 130 | BookRestaurant 131 | BookRestaurant 132 | BookRestaurant 133 | BookRestaurant 134 | BookRestaurant 135 | BookRestaurant 136 | BookRestaurant 137 | BookRestaurant 138 | BookRestaurant 139 | BookRestaurant 140 | BookRestaurant 141 | BookRestaurant 142 | BookRestaurant 143 | BookRestaurant 144 | BookRestaurant 145 | BookRestaurant 146 | BookRestaurant 147 | BookRestaurant 148 | BookRestaurant 149 | BookRestaurant 150 | BookRestaurant 151 | BookRestaurant 152 | BookRestaurant 153 | BookRestaurant 154 | BookRestaurant 155 | BookRestaurant 156 | BookRestaurant 157 | BookRestaurant 158 | BookRestaurant 159 | BookRestaurant 160 | BookRestaurant 161 | BookRestaurant 162 | BookRestaurant 163 | BookRestaurant 164 | BookRestaurant 165 | BookRestaurant 166 | BookRestaurant 167 | BookRestaurant 168 | BookRestaurant 169 | BookRestaurant 170 | BookRestaurant 171 | BookRestaurant 172 | BookRestaurant 173 | BookRestaurant 174 | BookRestaurant 175 | BookRestaurant 176 | BookRestaurant 177 | BookRestaurant 178 | BookRestaurant 179 | BookRestaurant 180 | BookRestaurant 181 | BookRestaurant 182 | BookRestaurant 183 | BookRestaurant 184 | BookRestaurant 185 | BookRestaurant 186 | BookRestaurant 187 | BookRestaurant 188 | BookRestaurant 189 | BookRestaurant 190 | BookRestaurant 191 | BookRestaurant 192 | BookRestaurant 193 | BookRestaurant 194 | BookRestaurant 195 | BookRestaurant 196 | BookRestaurant 197 | BookRestaurant 198 | BookRestaurant 199 | BookRestaurant 200 | BookRestaurant 201 | GetWeather 202 | GetWeather 203 | GetWeather 204 | GetWeather 205 | GetWeather 206 | GetWeather 207 | GetWeather 208 | GetWeather 209 | GetWeather 210 | GetWeather 211 | GetWeather 212 | GetWeather 213 | GetWeather 214 | GetWeather 215 | GetWeather 216 | GetWeather 217 | GetWeather 218 | GetWeather 219 | GetWeather 220 | GetWeather 221 | GetWeather 222 | GetWeather 223 | GetWeather 224 | GetWeather 225 | GetWeather 226 | GetWeather 227 | GetWeather 228 | GetWeather 229 | GetWeather 230 | GetWeather 231 | GetWeather 232 | GetWeather 233 | GetWeather 234 | GetWeather 235 | GetWeather 236 | GetWeather 237 | GetWeather 238 | GetWeather 239 | GetWeather 240 | GetWeather 241 | GetWeather 242 | GetWeather 243 | GetWeather 244 | GetWeather 245 | GetWeather 246 | GetWeather 247 | GetWeather 248 | GetWeather 249 | GetWeather 250 | GetWeather 251 | GetWeather 252 | GetWeather 253 | GetWeather 254 | GetWeather 255 | GetWeather 256 | GetWeather 257 | GetWeather 258 | GetWeather 259 | GetWeather 260 | GetWeather 261 | GetWeather 262 | GetWeather 263 | GetWeather 264 | GetWeather 265 | GetWeather 266 | GetWeather 267 | GetWeather 268 | GetWeather 269 | GetWeather 270 | GetWeather 271 | GetWeather 272 | GetWeather 273 | GetWeather 274 | GetWeather 275 | GetWeather 276 | GetWeather 277 | GetWeather 278 | GetWeather 279 | GetWeather 280 | GetWeather 281 | GetWeather 282 | GetWeather 283 | GetWeather 284 | GetWeather 285 | GetWeather 286 | GetWeather 287 | GetWeather 288 | GetWeather 289 | GetWeather 290 | GetWeather 291 | GetWeather 292 | GetWeather 293 | GetWeather 294 | GetWeather 295 | GetWeather 296 | GetWeather 297 | GetWeather 298 | GetWeather 299 | GetWeather 300 | GetWeather 301 | PlayMusic 302 | PlayMusic 303 | PlayMusic 304 | PlayMusic 305 | PlayMusic 306 | PlayMusic 307 | PlayMusic 308 | PlayMusic 309 | PlayMusic 310 | PlayMusic 311 | PlayMusic 312 | PlayMusic 313 | PlayMusic 314 | PlayMusic 315 | PlayMusic 316 | PlayMusic 317 | PlayMusic 318 | PlayMusic 319 | PlayMusic 320 | PlayMusic 321 | PlayMusic 322 | PlayMusic 323 | PlayMusic 324 | PlayMusic 325 | PlayMusic 326 | PlayMusic 327 | PlayMusic 328 | PlayMusic 329 | PlayMusic 330 | PlayMusic 331 | PlayMusic 332 | PlayMusic 333 | PlayMusic 334 | PlayMusic 335 | PlayMusic 336 | PlayMusic 337 | PlayMusic 338 | PlayMusic 339 | PlayMusic 340 | PlayMusic 341 | PlayMusic 342 | PlayMusic 343 | PlayMusic 344 | PlayMusic 345 | PlayMusic 346 | PlayMusic 347 | PlayMusic 348 | PlayMusic 349 | PlayMusic 350 | PlayMusic 351 | PlayMusic 352 | PlayMusic 353 | PlayMusic 354 | PlayMusic 355 | PlayMusic 356 | PlayMusic 357 | PlayMusic 358 | PlayMusic 359 | PlayMusic 360 | PlayMusic 361 | PlayMusic 362 | PlayMusic 363 | PlayMusic 364 | PlayMusic 365 | PlayMusic 366 | PlayMusic 367 | PlayMusic 368 | PlayMusic 369 | PlayMusic 370 | PlayMusic 371 | PlayMusic 372 | PlayMusic 373 | PlayMusic 374 | PlayMusic 375 | PlayMusic 376 | PlayMusic 377 | PlayMusic 378 | PlayMusic 379 | PlayMusic 380 | PlayMusic 381 | PlayMusic 382 | PlayMusic 383 | PlayMusic 384 | PlayMusic 385 | PlayMusic 386 | PlayMusic 387 | PlayMusic 388 | PlayMusic 389 | PlayMusic 390 | PlayMusic 391 | PlayMusic 392 | PlayMusic 393 | PlayMusic 394 | PlayMusic 395 | PlayMusic 396 | PlayMusic 397 | PlayMusic 398 | PlayMusic 399 | PlayMusic 400 | PlayMusic 401 | RateBook 402 | RateBook 403 | RateBook 404 | RateBook 405 | RateBook 406 | RateBook 407 | RateBook 408 | RateBook 409 | RateBook 410 | RateBook 411 | RateBook 412 | RateBook 413 | RateBook 414 | RateBook 415 | RateBook 416 | RateBook 417 | RateBook 418 | RateBook 419 | RateBook 420 | RateBook 421 | RateBook 422 | RateBook 423 | RateBook 424 | RateBook 425 | RateBook 426 | RateBook 427 | RateBook 428 | RateBook 429 | RateBook 430 | RateBook 431 | RateBook 432 | RateBook 433 | RateBook 434 | RateBook 435 | RateBook 436 | RateBook 437 | RateBook 438 | RateBook 439 | RateBook 440 | RateBook 441 | RateBook 442 | RateBook 443 | RateBook 444 | RateBook 445 | RateBook 446 | RateBook 447 | RateBook 448 | RateBook 449 | RateBook 450 | RateBook 451 | RateBook 452 | RateBook 453 | RateBook 454 | RateBook 455 | RateBook 456 | RateBook 457 | RateBook 458 | RateBook 459 | RateBook 460 | RateBook 461 | RateBook 462 | RateBook 463 | RateBook 464 | RateBook 465 | RateBook 466 | RateBook 467 | RateBook 468 | RateBook 469 | RateBook 470 | RateBook 471 | RateBook 472 | RateBook 473 | RateBook 474 | RateBook 475 | RateBook 476 | RateBook 477 | RateBook 478 | RateBook 479 | RateBook 480 | RateBook 481 | RateBook 482 | RateBook 483 | RateBook 484 | RateBook 485 | RateBook 486 | RateBook 487 | RateBook 488 | RateBook 489 | RateBook 490 | RateBook 491 | RateBook 492 | RateBook 493 | RateBook 494 | RateBook 495 | RateBook 496 | RateBook 497 | RateBook 498 | RateBook 499 | RateBook 500 | RateBook 501 | SearchCreativeWork 502 | SearchCreativeWork 503 | SearchCreativeWork 504 | SearchCreativeWork 505 | SearchCreativeWork 506 | SearchCreativeWork 507 | SearchCreativeWork 508 | SearchCreativeWork 509 | SearchCreativeWork 510 | SearchCreativeWork 511 | SearchCreativeWork 512 | SearchCreativeWork 513 | SearchCreativeWork 514 | SearchCreativeWork 515 | SearchCreativeWork 516 | SearchCreativeWork 517 | SearchCreativeWork 518 | SearchCreativeWork 519 | SearchCreativeWork 520 | SearchCreativeWork 521 | SearchCreativeWork 522 | SearchCreativeWork 523 | SearchCreativeWork 524 | SearchCreativeWork 525 | SearchCreativeWork 526 | SearchCreativeWork 527 | SearchCreativeWork 528 | SearchCreativeWork 529 | SearchCreativeWork 530 | SearchCreativeWork 531 | SearchCreativeWork 532 | SearchCreativeWork 533 | SearchCreativeWork 534 | SearchCreativeWork 535 | SearchCreativeWork 536 | SearchCreativeWork 537 | SearchCreativeWork 538 | SearchCreativeWork 539 | SearchCreativeWork 540 | SearchCreativeWork 541 | SearchCreativeWork 542 | SearchCreativeWork 543 | SearchCreativeWork 544 | SearchCreativeWork 545 | SearchCreativeWork 546 | SearchCreativeWork 547 | SearchCreativeWork 548 | SearchCreativeWork 549 | SearchCreativeWork 550 | SearchCreativeWork 551 | SearchCreativeWork 552 | SearchCreativeWork 553 | SearchCreativeWork 554 | SearchCreativeWork 555 | SearchCreativeWork 556 | SearchCreativeWork 557 | SearchCreativeWork 558 | SearchCreativeWork 559 | SearchCreativeWork 560 | SearchCreativeWork 561 | SearchCreativeWork 562 | SearchCreativeWork 563 | SearchCreativeWork 564 | SearchCreativeWork 565 | SearchCreativeWork 566 | SearchCreativeWork 567 | SearchCreativeWork 568 | SearchCreativeWork 569 | SearchCreativeWork 570 | SearchCreativeWork 571 | SearchCreativeWork 572 | SearchCreativeWork 573 | SearchCreativeWork 574 | SearchCreativeWork 575 | SearchCreativeWork 576 | SearchCreativeWork 577 | SearchCreativeWork 578 | SearchCreativeWork 579 | SearchCreativeWork 580 | SearchCreativeWork 581 | SearchCreativeWork 582 | SearchCreativeWork 583 | SearchCreativeWork 584 | SearchCreativeWork 585 | SearchCreativeWork 586 | SearchCreativeWork 587 | SearchCreativeWork 588 | SearchCreativeWork 589 | SearchCreativeWork 590 | SearchCreativeWork 591 | SearchCreativeWork 592 | SearchCreativeWork 593 | SearchCreativeWork 594 | SearchCreativeWork 595 | SearchCreativeWork 596 | SearchCreativeWork 597 | SearchCreativeWork 598 | SearchCreativeWork 599 | SearchCreativeWork 600 | SearchCreativeWork 601 | SearchScreeningEvent 602 | SearchScreeningEvent 603 | SearchScreeningEvent 604 | SearchScreeningEvent 605 | SearchScreeningEvent 606 | SearchScreeningEvent 607 | SearchScreeningEvent 608 | SearchScreeningEvent 609 | SearchScreeningEvent 610 | SearchScreeningEvent 611 | SearchScreeningEvent 612 | SearchScreeningEvent 613 | SearchScreeningEvent 614 | SearchScreeningEvent 615 | SearchScreeningEvent 616 | SearchScreeningEvent 617 | SearchScreeningEvent 618 | SearchScreeningEvent 619 | SearchScreeningEvent 620 | SearchScreeningEvent 621 | SearchScreeningEvent 622 | SearchScreeningEvent 623 | SearchScreeningEvent 624 | SearchScreeningEvent 625 | SearchScreeningEvent 626 | SearchScreeningEvent 627 | SearchScreeningEvent 628 | SearchScreeningEvent 629 | SearchScreeningEvent 630 | SearchScreeningEvent 631 | SearchScreeningEvent 632 | SearchScreeningEvent 633 | SearchScreeningEvent 634 | SearchScreeningEvent 635 | SearchScreeningEvent 636 | SearchScreeningEvent 637 | SearchScreeningEvent 638 | SearchScreeningEvent 639 | SearchScreeningEvent 640 | SearchScreeningEvent 641 | SearchScreeningEvent 642 | SearchScreeningEvent 643 | SearchScreeningEvent 644 | SearchScreeningEvent 645 | SearchScreeningEvent 646 | SearchScreeningEvent 647 | SearchScreeningEvent 648 | SearchScreeningEvent 649 | SearchScreeningEvent 650 | SearchScreeningEvent 651 | SearchScreeningEvent 652 | SearchScreeningEvent 653 | SearchScreeningEvent 654 | SearchScreeningEvent 655 | SearchScreeningEvent 656 | SearchScreeningEvent 657 | SearchScreeningEvent 658 | SearchScreeningEvent 659 | SearchScreeningEvent 660 | SearchScreeningEvent 661 | SearchScreeningEvent 662 | SearchScreeningEvent 663 | SearchScreeningEvent 664 | SearchScreeningEvent 665 | SearchScreeningEvent 666 | SearchScreeningEvent 667 | SearchScreeningEvent 668 | SearchScreeningEvent 669 | SearchScreeningEvent 670 | SearchScreeningEvent 671 | SearchScreeningEvent 672 | SearchScreeningEvent 673 | SearchScreeningEvent 674 | SearchScreeningEvent 675 | SearchScreeningEvent 676 | SearchScreeningEvent 677 | SearchScreeningEvent 678 | SearchScreeningEvent 679 | SearchScreeningEvent 680 | SearchScreeningEvent 681 | SearchScreeningEvent 682 | SearchScreeningEvent 683 | SearchScreeningEvent 684 | SearchScreeningEvent 685 | SearchScreeningEvent 686 | SearchScreeningEvent 687 | SearchScreeningEvent 688 | SearchScreeningEvent 689 | SearchScreeningEvent 690 | SearchScreeningEvent 691 | SearchScreeningEvent 692 | SearchScreeningEvent 693 | SearchScreeningEvent 694 | SearchScreeningEvent 695 | SearchScreeningEvent 696 | SearchScreeningEvent 697 | SearchScreeningEvent 698 | SearchScreeningEvent 699 | SearchScreeningEvent 700 | SearchScreeningEvent 701 | -------------------------------------------------------------------------------- /data/SNIPS/valid/seq.in: -------------------------------------------------------------------------------- 1 | i d like to have this track onto my classical relaxations playlist 2 | add the album to my flow español playlist 3 | add digging now to my young at heart playlist 4 | add this song by too poetic to my piano ballads playlist 5 | add this album to old school death metal 6 | i need to add baro ferret to the urban hits under my name 7 | add the album to the might and myth power metal playlist 8 | to the travelling playlist please add this david gahan song 9 | please add some pete townshend to my playlist fiesta hits con lali 10 | i d like for kasey chambers s tune to be an addition to my chips and salsa playlist 11 | add recalled to life to this is alejandro fernández 12 | add nuba to my metal party playlist 13 | add jo stafford music to the workout twerkout playlist 14 | put jean philippe goncalves onto my running to rock 170 to 190 bpm 15 | add the song virales de siempre by the cary brothers to my gym playlist 16 | onto jerry s classical moments in movies please add the album 17 | add beyond the valley of 1984 in playlist folk music at the gaslight café 18 | add jerry calliste jr to my te quiero playlist 19 | add porter wagoner to the the sleep machine waterscapes playlist 20 | add the artist mike to the sexy as folk playlist 21 | add brazilian flag anthem to top 100 alternative tracks on spotify 22 | add andy hunter to my evening commute playlist 23 | put petar georgiev kalica onto the old school hip hop playlist 24 | can you add larry heard to my laundry playlist 25 | put vandemataram srinivas s track onto hiphop hot 50 26 | add millie corretjer to the rhythm playlist 27 | add give us rest to my 70s smash hits playlist 28 | add this track to my hands up playlist 29 | i d like for you to add bobby brown to my enamorándose playlist 30 | add jonathan sprout album to my this is miranda lambert playlist 31 | add ireland in the junior eurovision song contest 2015 to my jazzy dinner playlist 32 | add the album to the the sweet suite playlist 33 | add sarah slean to my playlist mellowed out gaming 34 | add this album to the spanish beat playlist 35 | add lofty fake anagram to the la mejor música de bso playlist 36 | add the track to the work playlist 37 | add a song to this is racionais mc s 38 | add track in my playlist called hands up 39 | can you put this song from yutaka ozaki onto my this is miles davis playlist 40 | add a track to playlist cena con amigos 41 | add the famous flower of serving-men to my evening acoustic playlist 42 | add a song to indie hipster 43 | add the 40 cal tune to the laundry playlist 44 | add the album to my perfect concentration playlist 45 | add the matt murphy tune to the flow español playlist 46 | add a very cellular song to masters of metal playlist 47 | can i put this tune onto my sin estrés playlist 48 | i d like to add jordan rudess onto the divertido para niños playlist 49 | add kent james to the disney soundtrack 50 | add the artist adam deibert to my perfect concentration playlist 51 | can you put the artist giovanni giacomo gastoldi onto the chill out music playlist 52 | add the album to the hot 50 playlist 53 | add the artist pete murray to my relaxing playlist 54 | add the track to the drum & breaks playlist 55 | for my fantastic workout can you add sara bareilles 56 | add the boy george track to the emo forever playlist 57 | add ted heath to the road trip playlist 58 | can you add last of the ghetto astronauts to the playlist called black sabbath the dio years 59 | add this artist to showstopper being mary jane 60 | put the artist onto top latin alternative 61 | add michael wittig music to country icon playlist 62 | add highway patrolman in my playlist this is al green 63 | add richard mcnamara newest song to the just smile playlist 64 | add annesley malewana album to playlist indietronic 65 | add the artist to my dishwashing playlist 66 | add this artist to fairy tales playlist 67 | add muzika za decu to my crash course playlist 68 | add a derek watkins tune to this is johnny cash 69 | add our little corner of the world music from gilmore girls to my the funny thing about football is playlist 70 | add the current track to my this is tchaikovsky playlist 71 | put abe laboriel onto the escapada playlist 72 | add abacab to beryl s party on fridays playlist 73 | please add this track by paul mcguigan to the deep house playlist 74 | can you add the current tune to my calm before the storm playlist 75 | please add the image of you to my playlist crate diggers anonymous 76 | add a track to jazzy dinner 77 | add the album to the hipster soul playlist 78 | add this tune to my sleepify playlist 79 | add jack white to my playlist this is shakira 80 | add tommy johnson to the metalsucks playlist 81 | add the chris clark tune to my women of the blues playlist 82 | add an artist to jukebox boogie rhythm & blues 83 | add this artist to my electronic bliss playlist 84 | i need to add to my infinite indie folk list the works of rahim shah 85 | add martin barre to my punk unplugged playlist 86 | add tierney sutton to my novedades viernes sudamérica playlist 87 | add this tune to dorthy s 80 s party playlist 88 | a very cellular song needs to be added to my masters of metal playlist 89 | add toyan to my epic gaming playlist 90 | add the song to the mac n cheese playlist 91 | add this artist to my spotlight on country 2016 playlist 92 | add a song to my playlist madden nfl 16 93 | add emilie autumn to my nação reggae playlist 94 | add farhad darya songs in virales de siempre 95 | add a song in my all out 60s 96 | add we have a theme song to my house afterwork playlist 97 | add the song to my we everywhere playlist 98 | add roel van velzen to my party of the century playlist 99 | add the artist to the political punks playlist 100 | add the album to my club hits playlist 101 | book a reservation for my babies and i 102 | book a reservation for a restaurant not far from ma 103 | i would like to book a restaurant in tanzania that is within walking distance for my mom and i 104 | book a reservation for an oyster bar 105 | book a reservation for 6 people for a creole tavern in montenegro 106 | i need a table in sacaton at a gluten free restaurant 107 | book sot for me and my grandfather nearby west reading 108 | book me and my nieces a reservation for a seafood restaurant in cle elum ne on ascension day 109 | book spot for two at city tavern 110 | i want to book a brasserie for 3 people in netherlands antilles 111 | book me a reservation for the best bistro 112 | book the best table in tanzania for 5 people at a diner 113 | i want to book a joint in a spa 114 | book a gastropub that serves turkish food for 4 people 115 | book spot for 7 at an indoor restaurant in mp now 116 | book a table in fiji for zero a m 117 | i want to book a restaurant for five people in sri lanka 118 | i need a table for 5 at a highly rated gastropub in concord mn 119 | i want to book oregon electric station in north city 120 | i need a table for 4 please confirm the reservation 121 | book a popular restaurant for 5 people 122 | i want to book a joint close by the naomi s hostel for a meal for 8 people 123 | i want to eat a delicatessen in thirteen hours that serves eastern european food 124 | book a reservation for nine people at a bakery in nunez 125 | book a reservation at tavern for noodle 126 | book spot for 4 in somalia 127 | i want to book albany pump station in buckholts washington now for a party of 9 128 | i want to book a taverna in archer city for this spring for nine people 129 | i want to book a top-rated brasserie for 7 people 130 | book a reservation for 8 people in wardville kansas 131 | table for breadline cafe in minnesota next friday 132 | i want to book a restaurant in niger for seven people 133 | book spot for 9 134 | book me a reservation for a pub in cormorant for a party of nine 135 | book spot for my nieces and i at a tea house 136 | i want to book a jewish restaurant in gambia 137 | book a reservation for the dome edinburgh close to brooklawn 138 | book spot for 1 at town of ramsgate in merit 139 | book a spot for me and kathrine at smithville 140 | i want to book a restaurant for my father in law and i in buckner a year from now 141 | book a restaurant reservation in 6 weeks 142 | book a reservation for a bar with a spa nearby id 143 | book spot for four at cliff house san francisco in martinique 144 | i need a table for 4 in saint helena at settha palace hotel 145 | i want to book a restaurant in frenier 12 years from now for 4 people 146 | book seven in neighboring moorpark 147 | i want to eat by five pm in ne for a six people 148 | i want to book tupelo honey cafe in new jersey for five people 149 | book a reservation for two at mickies dairy bar in weedsport 150 | book a table at a fried chicken restaurant 151 | book spot for mavis sheila and i in syria at elevenses 152 | can you book me a table at windows on the world in cokeville mi 153 | book me a table for 5 this year at cherwell boathouse 154 | book spot for six at 8 pm at a coffeehouse in ne that serves hog fry 155 | i want to book a restaurant close-by in inman for five people 156 | i need a table at eddie s attic in nevada for one 157 | book a reservation for an osteria restaurant for 4 people on november 4 158 | i want to book a top-rated restaurant close by in la for me rebecca and loraine on 2/6/2020 159 | book a reservation for 1 at a diner in wi 160 | book a reservation for 5 people at the top-rated brasserie restaurant 161 | book a table on 1/20/2023 for 5 people in mh 162 | book a table near pat s college 163 | i want to book a steakhouse in vimy ridge 164 | i want a table at james d conrey house in urbank california 165 | like to book a seat in monaco for the yankee doodle coffee shop 166 | i want to book a table in a restaurant in bouvet island 167 | i would like to book a restaurant for souvlaki cuisine in the state of ne 168 | book a reservation for 10 people at an oyster bar with a pool within the same area of cowansburg for 10 pm 169 | book a reservation for velma ana and rebecca for an american pizzeria at 5 am in ma 170 | book a spot for 4 in oklahoma at south street diner 171 | book a reservation for my mommy and i at a restaurant in central african republic 172 | book a reservation for five people for a tatar taverna in sargents 173 | phyllis ward and veronica need a table at a restaurant in 152 days 174 | book a reservation for ten at a restaurant in ohio 175 | i want to book a tea house that serves salade far from here at midnight in panama for two people 176 | i want to book a food truck for seven people in the republic of the congo 177 | i want to book a restaurant for ten people 178 | lets eat near oakfield 17 seconds from now at ted peters famous smoked fish 179 | book sot for 7 at a restaurant that serves european in stringtown on feb the 28th 2034 180 | book a restaurant for six at an outdoor cafe in åland 181 | book a table for 12 am at our step mother s secondary residence within walking distance for one 182 | please book me a table at a pizzeria with a parking facility in ghana 183 | book spot for four at a indoor pub within the same area of louisiana in one minute 184 | please book me a restaurant 185 | book a reservation for me and my step brother at amt coffee in lakemoor 186 | i want to book a churrascaria in romeoville at ten a m for four people 187 | table for 5 a m at baker s keyboard lounge 188 | please book me a table at a bistro which serves lorna doone 189 | i want to book a restaurant for six people in wagstaff ak 190 | i would like to book a highly rated restaurant for a party of ten 191 | i want to book a sundanese gastropub nearby in texas for 3 people on 5/20/2025 192 | book a party of five at seagoville for 06:42 193 | book spot for 9 at thurmont 194 | i want to book a restaurant in sixteen seconds for 5 people in gold point montana 195 | i want to eat in ramona 196 | book a party at their campus within the same area for churrascaria 197 | book me a reservation for a party of 3 at a pub in northern mariana islands 198 | i want to book a bougatsa restaurant in next year nearby penn for three people 199 | book a reservation for nine people at the best pub nearby tangier in six months 200 | need a table somewhere in quarryville 14 hours from now 201 | what will the weather be faraway from here 202 | will there be fog in tahquamenon falls state park 203 | tell me the weather forecast for gibsland 204 | is there a storm now in nc 205 | what will the weather be in monument of lihula on december the 5th 206 | weather next year in dominica 207 | when will it be hot here 208 | what will the weather be in 1 day in kuwait 209 | what kind of weather will be in ukraine one minute from now 210 | humidity in olvey new hampshire 211 | what s the weather going to be in ut 212 | humidity not far from colorado city on november the 7th 2024 213 | what is the forecast for wyoming at stanardsville during the storm 214 | what will the weather be in north carolina 215 | what is the forecast starting 11 weeks from now nearby the state of wisconsin 216 | will it be rainy at sunrise in ramey saudi arabia 217 | check the forecast for nebraska 218 | will it be warmer in north korea at nineteen o clock 219 | let me know the weather forecast around ten pm faraway from here in park narodowy brimstone hill fortress 220 | will it be stormy in the ouachita national forest 221 | tell me if it will be snowy 8 hours from now in mount airy vi 222 | what will the weather be nineteen hours from now neighboring saint kitts and nevis 223 | will there be hail on 11/12/2036 in singapore 224 | will it be colder here in 48 and a half weeks 225 | what s the weather going to be in knobel 226 | what will the weather be in dane on sep the fifth 2030 227 | what will the weather be in ohio 228 | i need to know the weather for jan the 3rd in mexico when i go to port vue 229 | what is the forecast for ōtone prefectural natural park in 1 hour and within the same area 230 | what kind of weather is forecast around one pm near vatican 231 | will it be chilly in weldona 232 | will it be colder in virgin islands national park 233 | will it be hot at 13:19 in de funiak springs serbia and montenegro 234 | what is the weather going to be like in virginia on st patrick s day 235 | weather in kaneville maryland 236 | when is sunrise for ar 237 | what will the weather be not far from here on october the nineteenth 2026 238 | what is the forecast for waurika in samoa 239 | tell me the weather forecast here 240 | what is the weather forecast nearby nicodemus 241 | what will the weather be in nov in brookneal 242 | will it be colder four months from now in suwanee ak 243 | what is the weather forecast for burundi 244 | what s the weather in benton city 245 | what will the weather be in ky on oct 16 2036 246 | will the sun be out in 1 minute in searcy uganda 247 | what is the weather here 248 | what will the weather be one second from now in chad 249 | what kind of weather is forecast in ms now 250 | what is the forecast for la for freezing 251 | how cold will it be here in 1 second 252 | what is the forecast for hotter weather at southford falls state park 253 | what is the overcast forecast for the current position starting on jul 19 2030 254 | what is the forecast for morocco at lake ozark on december seventeenth 2022 255 | what will the humidity be in the current spot at 15:19:29 256 | what is the forecast in nicodemus and nearby 257 | what is the weather going to be like in benton colorado in 2 and a half months 258 | what s the weather forecast for bothe-napa valley state park close by february 20 259 | what is the forecast for beginning on nov 17 for franklinville 260 | what s the forecast for sep 26 in emerado saint pierre and miquelon 261 | will there be a blizzard next winter in visalia idaho 262 | will it be warmer in the district of columbia on may 25 2033 263 | what will the weather be here on dec 7th 264 | what is the forecast for colder temps beginning on law day here 265 | what s the weather like in tyonek new jersey 266 | what is the forecast for here for blizzard conditions at five pm 267 | will there be a storm in gibsonia at 8 p m 268 | what is the cold condition of our current position for tomorrow 269 | what will the weather be in hialeah gardens on october the 24th 270 | will it be freezing today in delaware and lehigh national heritage corridor 271 | what is the forecast in admire in tx starting at seventeen 272 | what is the forecast in north carolina for edgemoor 273 | what is the forecast for costa rica 274 | need weather for parc national tolhuaca to see if it will be fog today 275 | weather in walden russia on 12/26/2018 276 | what s the humidity here right now 277 | how s the weather at petit manan national wildlife refuge and nearby right now 278 | what is the forecast for lansford for temperate weather 279 | overcast on state holiday in pawling nature reserve and neighboring places 280 | i need the weather in wakarusa 281 | tell me the forecast for 6 am in tatra-nationalpark 282 | tell me the weather forecast for ut on thursday 283 | what is the forecast for turtle islands national park 284 | will it be hotter in pr at 23 o clock 285 | weather in two hours in uzbekistan 286 | what is the forecast for this afternoon for blizzard conditions in dieterich chad 287 | how s the weather here at two am 288 | will custer national forest be chillier at seven pm 289 | what is the forecast for starting at three a m in two buttes for warm weather 290 | what s the weather in fox chapel 291 | what is the rain forecast for one hour from now in south korea 292 | tell me the weather forecast here 293 | will there be a cloud in vi in 14 minutes 294 | how much colder will it be not far from utah around 3 am 295 | will it be chilly midday in cresbard afghanistan 296 | what will the weather be in sarygamyş sanctuary on august 21 2035 297 | will it be rainy in tenino 298 | will it be hot in the netherlands on february 16th 299 | where is belgium located 300 | what will the weather be in milleville beach 301 | can you put on like a hurricane by paul landers 302 | play the happy blues by ronnie wood 303 | play the newest melody on last fm by eddie vinson 304 | use groove shark to play music 305 | please play something good from u-roy any song from 1975 on zvooq will do 306 | play a symphony from 2013 307 | let me hear the good songs from james iha 308 | play my inventive playlist 309 | i want to play music from iheart 310 | play subconscious lobotomy from jennifer paull 311 | i want to hear a seventies sound track 312 | play a john maher track 313 | please play something from dihan slabbert that s on the top fifty 314 | please play something catchy on youtube 315 | play something from 2004 by imogen heap on spotify 316 | play seventies music please 317 | play music from the artist sean yseult and sort it through top-50 318 | play anything jd natasha did in the thirties 319 | play music off netflix 320 | nineties songs on zvooq 321 | open itunes and play ben burnley ready to die 322 | play an ep by zak starkey 323 | play an album from nithyasree mahadevan 324 | i want to listen to something on youtube 325 | start playing something from iheart 326 | play trance life on zvooq 327 | find and play a concerto on zvooq from 1978 by ginger pooley 328 | play all things must pass 329 | i want to hear music from allen toussaint from the fifties 330 | turn on last fm 331 | play a song by rahsaan patterson 332 | play femme fatale by bonobo 333 | play some anneliese van der pol from the thirties on groove shark 334 | i want to listen to an ep from 1998 335 | play paul mccartney 336 | play jill sobule album 337 | play chant s from 1973 338 | play something from 90s pop rock essentials 339 | play have you met miss jones by nicole from google music 340 | play chant by nigger kojak on itunes 341 | play some sixties songs on google music 342 | play a fifties album from dj yoda on last fm 343 | please play my ecstatic playlist 344 | open deezer and play curtain call: the hits by junichi okada 345 | let s play jamie robertson s handover on vimeo 346 | play a sixties soundtrack 347 | play this is: miles davis on lastfm 348 | live in l a joseph meyer please 349 | play the top twenty hisham abbas on youtube 350 | play some seventies filipp kirkorow 351 | play the most popular puretone 352 | play music from e-type 353 | can you play a j pero on groove shark 354 | play a bob burns song 355 | i want to hear leroi moore on vimeo play the song chance of a lifetime 356 | play some symphony music from david lindley 357 | please play something on iheart from artist ari gold last album 358 | i want to hear them from the artist murcof 359 | play sound track music from the twenties 360 | play dance with the devil by mr lordi 361 | play music from 1996 362 | go to itunes and play dr lecter by david hodges 363 | play s t r e e t d a d from hiromitsu agatsuma through pandora 364 | play some movement from the fourties 365 | please tune into chieko ochi s good music 366 | play the greatest music from bryan maclean 367 | play something on last fm 368 | play music by joy nilo 369 | play some gary lee conner 370 | play music by brian chase 371 | can you play top zvooq by fink 372 | play the top-20 nawang khechog soundtrack 373 | let s hear stuff from andrew hewitt 374 | play a good ep from the eighties by peter murphy 375 | play another passenger from louis nelson delisle 376 | play the top music from the railway children off last fm 377 | play the best becca 378 | play something by duke ellington from the seventies 379 | use the last fm service to play a mis niños de 30 380 | play my black sabbath: the dio years playlist 381 | play an ep from mike harding 382 | i want to hear anything from the rock symphonique genre please 383 | please play a 1997 record 384 | put what color is your sky by alana davis on the stereo 385 | please play a movement from george formby jr 386 | play some new les vandyke on slacker 387 | please open zvooq 388 | play progressive metal 389 | i want to hear soundtrack music on youtube from helena iren michaelsen 390 | play a song by ramesh narayan from 1960 391 | play some blues britânico 392 | proceed with hitomi nabatame music from 2003 393 | play something on zvooq 394 | play music from lynn & wade llp 395 | let me hear chris knight music 396 | let s hear good mohammad mamle on vimeo 397 | please play a sound track from the fifties that s on iheart 398 | play music from van-pires by dmitry malikov 399 | play rich sex on iheart 400 | play modern psychedelia 401 | rate this album four out of 6 stars 402 | give this textbook four stars 403 | rate a twist in the tale zero out of 6 points 404 | rate the children of niobe 1 out of 6 points 405 | give zero stars to halo: ghosts of onyx 406 | give this novel a score of 5 407 | give the current series four of 6 points 408 | give 4 out of 6 points to the spirit ring chronicle 409 | give two stars out of 6 to 36 children 410 | rate the sneetches and other stories a three 411 | rate the current series four stars 412 | rate this book a 4 out of 6 413 | rate the current novel 5 of 6 stars 414 | rate this book a 1 415 | give zero out of 6 to the current album 416 | give this album 5 points 417 | rate the mystery of the tolling bell series 4 stars 418 | give the current novel two stars 419 | give the current book 4 stars 420 | give joe magarac and his usa citizen papers 5 points 421 | rate the guilty 0 of 6 points 422 | rate this textbook four out of 6 423 | give the catedral series four stars 424 | reminiscences of the anti-japanese guerillas chronicle deserves zero points out of 6 for a rating 425 | give small screen big picture a 0 out of 6 rating 426 | gods and pawns should get a three 427 | give zero stars to this textbook 428 | rate the current novel a 4 out of 6 stars 429 | rate the book the atmospheric railway 5 out of 6 430 | rate black boy 4 out of 6 431 | rate the chronicle current 1 star 432 | mark this album a score of 5 433 | rate the current novel zero out of 6 434 | rate the current novel a 2 435 | give the giant devil dingo 4 points 436 | rate this current novel two out of 6 437 | give monthly index of medical specialities a two out of 6 rating 438 | rate this novel 2 out of 6 points 439 | rate the current novel 3 stars 440 | rate the current essay zero out of 6 stars 441 | rate this current album 0 stars 442 | give a brief stop on the road from auschwitz 1 out of 6 stars 443 | rate this album 4 out of 6 stars 444 | rate hate that cat 1 out of 6 stars 445 | give my current book one of 6 stars 446 | rate current novel one stars 447 | give five out of 6 points to this album 448 | give a rating of 2 to juneteenth 449 | rate ruth five out of 6 points 450 | rate the sea of trolls 1 stars out of 6 451 | give the zenith angle one out of 6 points 452 | give zero stars to rhialto the marvellous 453 | give the current book a zero of 6 454 | rate personal demons 0 out of 6 points 455 | rate the current series a 4 456 | give one of 6 points to who will cry when you die 457 | give zero out of 6 stars to this album 458 | give this novel 2 stars 459 | rate the 8-week cholesterol cure three out of 6 460 | rate this novel 3 out of 6 points 461 | rate the lives of john lennon five points 462 | give the american scene 2 of 6 stars 463 | rate this textbook a one 464 | give summer of the swans 1 points 465 | give the current textbook a rating of five 466 | give 4 points to the person and the common good 467 | give a four rating to a world apart 468 | rate this chronicle 0 points 469 | give wilco: learning how to die a rating of four points 470 | rate this saga two out of 6 471 | rate the gift: imagination and the erotic life of property five stars 472 | rate neverwhere four out of 6 473 | rate in the company of cheerful ladies a zero out of 6 474 | give one start to the current book 475 | give this chronicle a 2 rating 476 | rate this essay a 1 477 | out of 6 give rivers of babylon a 1 478 | give 5 of 6 stars to expressive processing 479 | rate the ghost house series a one 480 | rate know ye not agincourt 2 out of 6 stars 481 | i would rate theft: a love story four out of 6 stars 482 | rate the further adventures of the joker four stars 483 | give 0 rating to in the heart of the country 484 | give 1 out of 6 rating to the current textbook 485 | give the current chronicle five of 6 points 486 | rate cotton comes to harlem a 2 487 | give this album one stars 488 | rate the adventures of augie march one points 489 | rate soul music a 0 490 | give hindu temples: what happened to them a 5 out of 6 stars 491 | give this novel a 1 492 | rate the current textbook 1 out of 6 493 | give this textbook 0 out of 6 stars 494 | give the crystal snare 5 stars 495 | rate this saga two out of 6 496 | give wilco: learning how to die a rating of four points 497 | rate this book 3 stars out of 6 498 | rate the three junes one out of 6 499 | give four stars to the broken window 500 | rate the current series 4 points 501 | wish to find the movie the heart beat 502 | please look up the tv show vanity 503 | get me the elvis christmas album tv show 504 | please find me the saga the deep six 505 | wish to see the photograph with the name live: right here 506 | looking for a novel called death march 507 | can you find me the work the curse of oak island 508 | please get me the sacred and profane love machine game 509 | need a creative work called hit by love 510 | search for the trailer for the office 511 | looking for a creative work called plant ecology 512 | find the television show to me 513 | can you please find me the saga chump change 514 | can you find me the ridiculous 6 book 515 | please fine me the tv series now we are married 516 | please look up the work bachelor pad 517 | please help me find the late night heartbroken blues television show 518 | please help me find bend it like beckham the musical 519 | please look up the tv series parables for wooden ears 520 | can you find me hey man 521 | please search for switched 522 | can you get me the controlled conversations tv series 523 | please look up the song the mad magician 524 | please search for the tv show the best of white lion 525 | please find me phineas redux 526 | get me the procession of ants tv show 527 | looking for a game called phinally phamous 528 | can you search the daring youth saga 529 | look for the book the girl who was plugged in 530 | find me a tv show called baby blue 531 | search for appalachian journey 532 | look for the television show meet the prince 533 | can you find me cracks the safe 534 | please help me search the hell money saga 535 | get me the secret south song 536 | can you find me the work titled music for millions 537 | please search for the painting titled this is the night 538 | could you locate the epic conditions picture 539 | get me the trailer of good morning sunshine 540 | please search the an introduction to karl marx painting 541 | can you find me the blue spring trailer 542 | could you find the tv series the approach 543 | search for the tv show a lawless street 544 | please look up three essays on the theory of sexuality show 545 | please get me the compulsive disclosure song 546 | can you look up the molecular oncology saga 547 | search for the sound of one hand clapping 548 | find the creative work deadly weapons 549 | need the creative work called the logic of scientific discovery 550 | can you find me the national anthem of the ancient britons television show 551 | can you please find me the harry hood saga 552 | can you find me the work bible translations into hawaii pidgin 553 | please look up and find me monty python live at the hollywood bowl 554 | please search for mary 555 | please search the game atla: all this life allows 556 | find me the novel with the name to lose my life … 557 | looking for a song with the title of live at the kings center 558 | can you find the american bison photograph 559 | can you find me the free for all show 560 | please find me the olympia 74 soundtrack 561 | look for the album slave to the grind 562 | please find me the projekt: the new face of goth 563 | can you get me the message from god saga 564 | find me the soundtrack a honeymoon adventure 565 | please get me the henderson kids saga 566 | find the movie splendor in the grass 567 | am looking for a book with the title free to play 568 | look for the tv series jersey boys 569 | can you search the book paris - when it sizzles 570 | looking for a painting with the title with you 571 | please find me the classified book 572 | look for the show v-the new mythology suite 573 | find the creative work face down 574 | find four songs 575 | find me the soundtrack live at the greek theatre 576 | please search for the television show episodi di the blacklist 577 | find a creative work called fire in the hole 578 | looking for the picture with the name of who made stevie crye 579 | look for the album wolves within 580 | find the album orphan girl at the cemetery 581 | please find me the journal of the british astronomical association movie 582 | find the tv show the daydreamer 583 | can you please get me the book dracula 5: the blood legacy 584 | please look up the novel live to dance 585 | please find me the video game titled 20 hours in america 586 | find the creative work the devil in stitches 587 | please look up the work prophets 588 | i m looking for welcome to the canteen 589 | please search for the journal of official statistics show 590 | please look up show-biz blues photograph 591 | please search the woodsmen of the west 592 | can you find the creative works associated with caryl & marilyn: real friends 593 | please get me the dead soul saga 594 | please search the live from leeds album 595 | please look up the johnny english - la rinascita painting 596 | can you find me the sword with no name trailer 597 | i wish to watch the fold trailer please search 598 | can you find me the almost human painting 599 | please find me the work serious awesomeness 600 | search for the game difficult loves 601 | is babar: king of the elephants playing 602 | is the ghost playing 603 | is bartok the magnificent playing at seven am 604 | what s the movie schedule 605 | i want to see jla adventures: trapped in time 606 | when is the fox and the child playing in this cinema 607 | show me the schedule for rat rod rockers 608 | is any which way you can playing in 15 seconds 609 | i want to see the portrait of a lady at the nearest cinema 610 | where can i see the prime ministers: the pioneers 611 | i need to find the movie theatre showing the crooked web closest to me 612 | i want to see while the sun shines at the closest movie house 613 | i want to see those kids from town when will it be showing 614 | find the schedule for the comedian at santikos theatres 615 | what are the movie schedules for my favorite theaters 616 | what are the movies showing in the neighbourhood 617 | is without witness playing twenty two hours from now 618 | i need animated movies in the area for dinner time 619 | i want to see i dream of jeanie in a movie theatre 620 | can i see ellis island revisited in 1 minute 621 | i want animated movies at mjr theatres 622 | show me the schedule for the oblong box 623 | i want to know if there are any movies playing in the area 624 | is what a wonderful place showing at cinemark theatres 625 | show the closest movie theatre that shows boycott 626 | i want to see doa: dead or alive at loews cineplex entertainment 627 | is the nightmare showing six hours from now at the nearest cinema 628 | what is the nearest movie house with window connection playing at lunch 629 | is patrick still lives showing at amc theaters 630 | fine the movie schedules for the wanda group 631 | give me the movie schedule nearby 632 | find the schedule at the douglas theatre company 633 | show me the movies at harkins theatres 634 | what movies at star theatres 635 | i want a movie schedule 636 | can i get the movie times 637 | i want to see medal for the general 638 | can i get the times for movies in the neighbourhood 639 | may i have the movie schedules for speakeasy theaters 640 | find animated movies close by 641 | is american primitive showing in santikos theatres 642 | what are the movie schedules in the neighborhood 643 | check the schedule for bow tie cinemas 644 | check the timings for snowbound at the closest movie theatre 645 | what are the movie times at caribbean cinemas 646 | i need films in the neighborhood 647 | show the movie schedules in the neighborhood 648 | where s the nearest movie house showing foreign films 649 | what movies are showing now at the closest cinema 650 | is rumor has it playing 651 | i need a list of speakeasy theaters movie times 652 | when is the outer space connection playing at the nearest cinema 653 | find the movie times at harkins theatres 654 | find the films at century theatres 655 | show the animated movies playing in the neighbourhood 656 | i want to see fear chamber 657 | show me southern theatres movie times 658 | is the unnaturals showing at 13 659 | is no time to be young showing at amc theaters 660 | find the movie schedules for regal entertainment group 661 | i want to see shattered image 662 | find the schedule at star theatres 663 | will i think i do be playing at 7 pm 664 | show me the schedule for arclight hollywood for only animated movies 665 | find the schedule for great mail robbery 666 | give me the movies in the neighborhood 667 | what movies are playing close by 668 | is the two gladiators playing 669 | what s the movie schedule for great escape theatres 670 | find the movie schedule close by 671 | i want to see outcast 672 | show me the schedule of movie the great gildersleeve near movie house 673 | i need times for a yiddish world remembered at dipson theatres 674 | find the movie schedules at goodrich quality theaters 675 | show me the movie schedule in the neighbourhood 676 | show me the movie times for films nearby 677 | show the movie times for animated movies in the neighbourhood 678 | is the eye – infinity playing at general cinema corporation 679 | can you check the timings for super sweet 16: the movie 680 | is we are northern lights playing in any movie theatre 681 | what times will the young swordsman be showing at my cinema 682 | show the sexy dance 2 times at the closest movie house 683 | what are some close by animated movies showing 684 | movie schedules close by for animated movies 685 | what films are playing close by 686 | find the movie schedule in the area 687 | is cowboy canteen playing 688 | is rare birds showing at the nearest movie theatre at noon 689 | what are the movie times 690 | where can i find the movie schedules 691 | find the movie schedule for north american cinemas in eleven seconds 692 | find the nearest cinema with movies playing 693 | what are the movie times 694 | what are the times for the gingerbread man 695 | what films are playing close by 696 | is any cinema playing the spirit of youth 697 | what are the movie times for animated movies in the neighbourhood 698 | what s the movie schedule at great escape theatres 699 | show the times for cheers for miss bishop at dipson theatres 700 | i want to see married to the enemy 2 at a cinema 701 | -------------------------------------------------------------------------------- /model.py: -------------------------------------------------------------------------------- 1 | import torch 2 | from torch import nn 3 | import numpy as np 4 | 5 | from data import IntentDset 6 | from pytorch_pretrained_bert.modeling import BertModel 7 | 8 | class ProtNet(nn.Module): 9 | def __init__(self, n_input = 768, n_output = 128, bert_model = 'bert-large-uncased'): 10 | super(ProtNet,self).__init__() 11 | self.bert = BertModel.from_pretrained(bert_model) 12 | 13 | def forward(self, input_ids, input_mask): 14 | all_hidden_layers,_ = self.bert(input_ids, token_type_ids=None, attention_mask=input_mask) 15 | hn = all_hidden_layers[-1] 16 | cls_hn = hn[:,0,:] 17 | return cls_hn 18 | 19 | # pn = ProtNet().cuda(3) 20 | # ds = IntentDset() 21 | 22 | # while True: 23 | # batch = ds.next_batch() 24 | # sup_input_ids = batch['sup_set_x']['input_ids'].cuda(3) 25 | # sup_input_masks = batch['sup_set_x']['input_mask'].cuda(3) 26 | # pn(sup_input_ids,sup_input_masks) 27 | # break 28 | 29 | -------------------------------------------------------------------------------- /net.JPG: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/arijitx/Fewshot-Learning-with-BERT/5c045f25e10db7c3633643e3d74d221528a06cbc/net.JPG -------------------------------------------------------------------------------- /train.py: -------------------------------------------------------------------------------- 1 | import torch 2 | from data import IntentDset 3 | from model import ProtNet 4 | from torch import nn, optim 5 | from pytorch_pretrained_bert.optimization import BertAdam, warmup_linear 6 | 7 | # https://github.com/cyvius96/prototypical-network-pytorch/blob/master/utils.py 8 | def euclidean_metric(a, b): 9 | n = a.shape[0] 10 | m = b.shape[0] 11 | a = a.unsqueeze(1).expand(n, m, -1) 12 | b = b.unsqueeze(0).expand(n, m, -1) 13 | logits = -((a - b)**2).sum(dim=2) 14 | return logits 15 | 16 | Nc = 10 17 | Ni = 1 18 | Nq = 1 19 | 20 | idset = IntentDset(n_query = Nq) 21 | val_dset = IntentDset(dataset = 'SNIPS', Nc = 5, n_query = Nq) 22 | 23 | pn = ProtNet().cuda(0) 24 | 25 | param_optimizer = list(pn.named_parameters()) 26 | no_decay = ['bias', 'LayerNorm.bias', 'LayerNorm.weight'] 27 | optimizer_grouped_parameters = [ 28 | {'params': [p for n, p in param_optimizer if not any(nd in n for nd in no_decay)], 'weight_decay': 0.01}, 29 | {'params': [p for n, p in param_optimizer if any(nd in n for nd in no_decay)], 'weight_decay': 0.0} 30 | ] 31 | 32 | optimizer = BertAdam(optimizer_grouped_parameters, 33 | lr=5e-5, 34 | warmup=0.1, 35 | t_total=10000) 36 | 37 | criterion = nn.CrossEntropyLoss() 38 | 39 | step = 0 40 | 41 | while True: 42 | pn.train() 43 | step += 1 44 | # print('gpu_usage',round(torch.cuda.memory_allocated(0)/1024**3,1), 'GB') 45 | batch = idset.next_batch() 46 | sup_set = batch['sup_set_x'] 47 | qry_set = batch['target_x'] 48 | 49 | # https://discuss.pytorch.org/t/multiple-model-forward-followed-by-one-loss-backward/20868/2 50 | # two forwards will link to two different instance wont overwrite the model 51 | sup = pn(sup_set['input_ids'].cuda(),sup_set['input_mask'].cuda()) 52 | qry = pn(qry_set['input_ids'].cuda(),qry_set['input_mask'].cuda()) 53 | 54 | 55 | sup = sup.view(Ni,Nc,-1).mean(0) 56 | logits = euclidean_metric(qry, sup) 57 | 58 | label = torch.arange(Nc).repeat(Nq).type(torch.LongTensor).cuda() 59 | 60 | loss = criterion(logits, label) 61 | 62 | 63 | # print('gpu_usage',round(torch.cuda.memory_allocated(0)/1024**3,1), 'GB') 64 | loss.backward() 65 | optimizer.step() 66 | optimizer.zero_grad() 67 | 68 | if step%1 == 0: 69 | print('Iteration :',step,"Loss :",float(loss.item())) 70 | 71 | if step%20 == 0: 72 | pn.eval() 73 | pn.cuda(3) 74 | total = 0 75 | correct = 0 76 | for i in range(100): 77 | batch = val_dset.next_batch() 78 | sup_set = batch['sup_set_x'] 79 | qry_set = batch['target_x'] 80 | 81 | sup = pn(sup_set['input_ids'].cuda(3),sup_set['input_mask'].cuda(3)) 82 | qry = pn(qry_set['input_ids'].cuda(3),qry_set['input_mask'].cuda(3)) 83 | 84 | sup = sup.view(Ni,5,-1).mean(0) 85 | logits = euclidean_metric(qry, sup).max(1)[1].cpu() 86 | 87 | label = torch.arange(5).repeat(Nq).type(torch.LongTensor) 88 | correct += float(torch.sum(logits==label).item()) 89 | total += 5*Ni 90 | # print(correct,'/',total) 91 | print('Accuracy :',correct/total) 92 | pn.cuda(0) 93 | if step%100000 == 0: 94 | break --------------------------------------------------------------------------------