├── README.md ├── binary_data.py ├── data.py ├── data ├── Laptops_Test_Gold.xml.seg ├── Laptops_Train.xml.seg ├── Restaurants_Test_Gold.xml.seg └── Restaurants_Train_v2.xml.seg ├── main.py ├── model.py ├── requirements.txt └── utils.py /README.md: -------------------------------------------------------------------------------- 1 | ## Aspect Level Sentiment Classification with Deep Memory Network 2 | 3 | [TensorFlow](https://www.tensorflow.org/) implementation of [Tang et al.'s EMNLP 2016](https://arxiv.org/abs/1605.08900) work. 4 | 5 | ### Problem Statement 6 | Given a sentence and an aspect occurring in the sentence, this task aims at inferring the sentiment polarity (e.g. positive, negative, neutral) of the aspect. 7 | 8 | ### Example 9 | For example, in sentence ''great food but the service was dreadful!'', the sentiment polarity of aspect ''food'' is positive while the polarity of aspect ''service'' is negative. 10 | 11 | ### Quick Start 12 | Install this [quick GLOVE embeddings loading tool](https://github.com/vzhong/embeddings) 13 | 14 | Runs on python3 and tensorflow 1.4.1 15 | 16 | Train a model with 3 hops on the [Restaurant](http://alt.qcri.org/semeval2016/task5/) dataset. 17 | ``` 18 | python main.py --show True 19 | ``` 20 | 21 | ### Performance 22 | Achieved accuracy of 72% for Laptop and 79% for Restaurant. 23 | 24 | ### Acknowledgements 25 | * More than 80% of the code is borrowed from [ganeshjawahar](https://github.com/ganeshjawahar/mem_absa). 26 | * Using this code means you have read and accepted the copyrights set by the dataset providers. 27 | 28 | ### Author 29 | Tian Tian 30 | 31 | ### Licence 32 | MIT 33 | -------------------------------------------------------------------------------- /binary_data.py: -------------------------------------------------------------------------------- 1 | from collections import Counter 2 | from nltk.corpus import stopwords 3 | from embeddings import GloveEmbedding 4 | import numpy as np 5 | 6 | stop = set(stopwords.words('english')) 7 | 8 | 9 | def init_word_embeddings(embed_file_name, word_set, edim): 10 | embeddings = {} 11 | 12 | tokens = embed_file_name.split('-') 13 | embedding = None 14 | 15 | if tokens[0] == 'glove': 16 | embedding = GloveEmbedding(tokens[1], d_emb=edim, show_progress=True) 17 | 18 | if embedding: 19 | for word in word_set: 20 | emb = embedding.emb(word) 21 | if emb is not None: 22 | embeddings[word] = emb 23 | return embeddings 24 | 25 | 26 | def get_dataset_resources(data_file_name, sent_word2idx, target_word2idx, word_set, max_sent_len): 27 | ''' updates word2idx and word_set ''' 28 | if len(sent_word2idx) == 0: 29 | sent_word2idx[""] = 0 30 | 31 | word_count = [] 32 | sent_word_count = [] 33 | target_count = [] 34 | 35 | words = [] 36 | sentence_words = [] 37 | target_words = [] 38 | 39 | with open(data_file_name, 'r') as data_file: 40 | lines = data_file.read().split('\n') 41 | for line_no in range(0, len(lines) - 1, 3): 42 | sentence = lines[line_no] 43 | target = lines[line_no + 1] 44 | polarity = int(lines[line_no + 2]) 45 | if polarity == 0: 46 | continue 47 | sentence.replace("$T$", "") 48 | sentence = sentence.lower() 49 | target = target.lower() 50 | max_sent_len = max(max_sent_len, len(sentence.split())) 51 | sentence_words.extend(sentence.split()) 52 | target_words.extend([target]) 53 | words.extend(sentence.split() + target.split()) 54 | 55 | sent_word_count.extend(Counter(sentence_words).most_common()) 56 | target_count.extend(Counter(target_words).most_common()) 57 | word_count.extend(Counter(words).most_common()) 58 | 59 | for word, _ in sent_word_count: 60 | if word not in sent_word2idx: 61 | sent_word2idx[word] = len(sent_word2idx) 62 | 63 | for target, _ in target_count: 64 | if target not in target_word2idx: 65 | target_word2idx[target] = len(target_word2idx) 66 | 67 | for word, _ in word_count: 68 | if word not in word_set: 69 | word_set[word] = 1 70 | 71 | return max_sent_len 72 | 73 | 74 | def get_embedding_matrix(embeddings, sent_word2idx, target_word2idx, edim): 75 | ''' returns the word and target embedding matrix ''' 76 | word_embed_matrix = np.zeros([len(sent_word2idx), edim], dtype=float) 77 | target_embed_matrix = np.zeros([len(target_word2idx), edim], dtype=float) 78 | 79 | for word in sent_word2idx: 80 | if word in embeddings: 81 | word_embed_matrix[sent_word2idx[word]] = embeddings[word] 82 | 83 | for target in target_word2idx: 84 | for word in target: 85 | if word in embeddings: 86 | target_embed_matrix[target_word2idx[target]] += embeddings[word] 87 | target_embed_matrix[target_word2idx[target]] /= max(1, len(target.split())) 88 | 89 | print(type(word_embed_matrix)) 90 | return word_embed_matrix, target_embed_matrix 91 | 92 | 93 | def get_dataset(data_file_name, sent_word2idx, target_word2idx, embeddings): 94 | ''' returns the dataset''' 95 | sentence_list = [] 96 | location_list = [] 97 | target_list = [] 98 | polarity_list = [] 99 | 100 | with open(data_file_name, 'r') as data_file: 101 | lines = data_file.read().split('\n') 102 | for line_no in range(0, len(lines) - 1, 3): 103 | sentence = lines[line_no].lower() 104 | target = lines[line_no + 1].lower() 105 | polarity = int(lines[line_no + 2]) 106 | if polarity == 0: 107 | continue 108 | 109 | sent_words = sentence.split() 110 | target_words = target.split() 111 | try: 112 | target_location = sent_words.index("$t$") 113 | except: 114 | print("sentence does not contain target element tag") 115 | exit() 116 | 117 | is_included_flag = 1 118 | id_tokenised_sentence = [] 119 | location_tokenised_sentence = [] 120 | 121 | for index, word in enumerate(sent_words): 122 | if word == "$t$": 123 | continue 124 | try: 125 | word_index = sent_word2idx[word] 126 | except: 127 | print("id not found for word in the sentence") 128 | exit() 129 | 130 | location_info = abs(index - target_location) 131 | 132 | if word in embeddings: 133 | id_tokenised_sentence.append(word_index) 134 | location_tokenised_sentence.append(location_info) 135 | 136 | is_included_flag = 0 137 | for word in target_words: 138 | if word in embeddings: 139 | is_included_flag = 1 140 | break 141 | 142 | try: 143 | target_index = target_word2idx[target] 144 | sentence_list.append(id_tokenised_sentence) 145 | location_list.append(location_tokenised_sentence) 146 | target_list.append(target_index) 147 | polarity_list.append(polarity) 148 | except: 149 | print(target) 150 | print("id not found for target") 151 | exit() 152 | 153 | if not is_included_flag: 154 | print(sentence) 155 | continue 156 | 157 | return sentence_list, location_list, target_list, polarity_list 158 | -------------------------------------------------------------------------------- /data.py: -------------------------------------------------------------------------------- 1 | from collections import Counter 2 | from nltk.corpus import stopwords 3 | from embeddings import GloveEmbedding 4 | import numpy as np 5 | 6 | stop = set(stopwords.words('english')) 7 | 8 | 9 | def init_word_embeddings(embed_file_name, word_set, edim): 10 | embeddings = {} 11 | 12 | tokens = embed_file_name.split('-') 13 | embedding = None 14 | 15 | if tokens[0] == 'glove': 16 | embedding = GloveEmbedding(tokens[1], d_emb=edim, show_progress=True) 17 | 18 | if embedding: 19 | for word in word_set: 20 | emb = embedding.emb(word) 21 | if emb is not None: 22 | embeddings[word] = emb 23 | return embeddings 24 | 25 | 26 | def get_dataset_resources(data_file_name, sent_word2idx, target_word2idx, word_set, max_sent_len): 27 | ''' updates word2idx and word_set ''' 28 | if len(sent_word2idx) == 0: 29 | sent_word2idx[""] = 0 30 | 31 | word_count = [] 32 | sent_word_count = [] 33 | target_count = [] 34 | 35 | words = [] 36 | sentence_words = [] 37 | target_words = [] 38 | 39 | with open(data_file_name, 'r') as data_file: 40 | lines = data_file.read().split('\n') 41 | for line_no in range(0, len(lines) - 1, 3): 42 | sentence = lines[line_no] 43 | target = lines[line_no + 1] 44 | 45 | sentence.replace("$T$", "") 46 | sentence = sentence.lower() 47 | target = target.lower() 48 | max_sent_len = max(max_sent_len, len(sentence.split())) 49 | sentence_words.extend(sentence.split()) 50 | target_words.extend([target]) 51 | words.extend(sentence.split() + target.split()) 52 | 53 | sent_word_count.extend(Counter(sentence_words).most_common()) 54 | target_count.extend(Counter(target_words).most_common()) 55 | word_count.extend(Counter(words).most_common()) 56 | 57 | for word, _ in sent_word_count: 58 | if word not in sent_word2idx: 59 | sent_word2idx[word] = len(sent_word2idx) 60 | 61 | for target, _ in target_count: 62 | if target not in target_word2idx: 63 | target_word2idx[target] = len(target_word2idx) 64 | 65 | for word, _ in word_count: 66 | if word not in word_set: 67 | word_set[word] = 1 68 | 69 | return max_sent_len 70 | 71 | 72 | def get_embedding_matrix(embeddings, sent_word2idx, target_word2idx, edim): 73 | ''' returns the word and target embedding matrix ''' 74 | word_embed_matrix = np.zeros([len(sent_word2idx), edim], dtype=float) 75 | target_embed_matrix = np.zeros([len(target_word2idx), edim], dtype=float) 76 | 77 | for word in sent_word2idx: 78 | if word in embeddings: 79 | word_embed_matrix[sent_word2idx[word]] = embeddings[word] 80 | 81 | for target in target_word2idx: 82 | for word in target: 83 | if word in embeddings: 84 | target_embed_matrix[target_word2idx[target]] += embeddings[word] 85 | target_embed_matrix[target_word2idx[target]] /= max(1, len(target.split())) 86 | 87 | print(type(word_embed_matrix)) 88 | return word_embed_matrix, target_embed_matrix 89 | 90 | 91 | def get_dataset(data_file_name, sent_word2idx, target_word2idx, embeddings): 92 | ''' returns the dataset''' 93 | sentence_list = [] 94 | location_list = [] 95 | target_list = [] 96 | polarity_list = [] 97 | 98 | with open(data_file_name, 'r') as data_file: 99 | lines = data_file.read().split('\n') 100 | for line_no in range(0, len(lines) - 1, 3): 101 | sentence = lines[line_no].lower() 102 | target = lines[line_no + 1].lower() 103 | polarity = int(lines[line_no + 2]) 104 | 105 | sent_words = sentence.split() 106 | target_words = target.split() 107 | try: 108 | target_location = sent_words.index("$t$") 109 | except: 110 | print("sentence does not contain target element tag") 111 | exit() 112 | 113 | is_included_flag = 1 114 | id_tokenised_sentence = [] 115 | location_tokenised_sentence = [] 116 | 117 | for index, word in enumerate(sent_words): 118 | if word == "$t$": 119 | continue 120 | try: 121 | word_index = sent_word2idx[word] 122 | except: 123 | print("id not found for word in the sentence") 124 | exit() 125 | 126 | location_info = abs(index - target_location) 127 | 128 | if word in embeddings: 129 | id_tokenised_sentence.append(word_index) 130 | location_tokenised_sentence.append(location_info) 131 | 132 | # if word not in embeddings: 133 | # is_included_flag = 0 134 | # break 135 | 136 | is_included_flag = 0 137 | for word in target_words: 138 | if word in embeddings: 139 | is_included_flag = 1 140 | break 141 | 142 | try: 143 | target_index = target_word2idx[target] 144 | except: 145 | print(target) 146 | print("id not found for target") 147 | exit() 148 | 149 | if not is_included_flag: 150 | print(sentence) 151 | continue 152 | 153 | sentence_list.append(id_tokenised_sentence) 154 | location_list.append(location_tokenised_sentence) 155 | target_list.append(target_index) 156 | polarity_list.append(polarity) 157 | return sentence_list, location_list, target_list, polarity_list 158 | -------------------------------------------------------------------------------- /data/Laptops_Test_Gold.xml.seg: -------------------------------------------------------------------------------- 1 | $T$ is super fast , around anywhere from 35 seconds to 1 minute . 2 | Boot time 3 | 1 4 | $T$ would not fix the problem unless I bought your plan for $ 150 plus . 5 | tech support 6 | 2 7 | $T$ was easy . 8 | Set up 9 | 1 10 | Did not enjoy the new $T$ and touchscreen functions . 11 | Windows 8 12 | 2 13 | Did not enjoy the new Windows 8 and $T$ . 14 | touchscreen functions 15 | 2 16 | Other than not being a fan of click pads -LRB- industry standard these days -RRB- and the lousy $T$ , it 's hard for me to find things about this notebook I don't like , especially considering the $ 350 price tag . 17 | internal speakers 18 | 2 19 | Other than not being a fan of click pads -LRB- industry standard these days -RRB- and the lousy internal speakers , it 's hard for me to find things about this notebook I don't like , especially considering the $ 350 $T$ . 20 | price tag 21 | 1 22 | Other than not being a fan of $T$ -LRB- industry standard these days -RRB- and the lousy internal speakers , it 's hard for me to find things about this notebook I don't like , especially considering the $ 350 price tag . 23 | click pads 24 | 2 25 | No $T$ is included . 26 | installation disk (DVD) 27 | 0 28 | It 's fast , light , and simple to $T$ . 29 | use 30 | 1 31 | $T$ well , and I am extremely happy to be back to an apple OS . 32 | Works 33 | 1 34 | Works well , and I am extremely happy to be back to an $T$ . 35 | apple OS 36 | 1 37 | Sure it 's not light and slim but the $T$ make up for it 100 % . 38 | features 39 | 1 40 | I am pleased with the fast $T$ , speedy WiFi connection and the long battery life -LRB- > 6 hrs -RRB- . 41 | log on 42 | 1 43 | I am pleased with the fast log on , speedy $T$ and the long battery life -LRB- > 6 hrs -RRB- . 44 | WiFi connection 45 | 1 46 | I am pleased with the fast log on , speedy WiFi connection and the long $T$ -LRB- > 6 hrs -RRB- . 47 | battery life 48 | 1 49 | The Apple engineers have not yet discovered the $T$ . 50 | delete key 51 | 2 52 | Made $T$ -LRB- part of my business -RRB- very difficult to maintain . 53 | interneting 54 | 2 55 | Luckily , for all of us contemplating the decision , the Mac Mini is $T$ just right . 56 | priced 57 | 1 58 | Super light , super sexy and everything just $T$ . 59 | works 60 | 1 61 | Only problem that I had was that the $T$ was not very good for me , I only had a problem once or twice with it , But probably my computer was a bit defective . 62 | track pad 63 | 2 64 | It is super fast and has outstanding $T$ . 65 | graphics 66 | 1 67 | But the $T$ is just too slow . 68 | mountain lion 69 | 2 70 | Strong build though which really adds to its $T$ . 71 | durability 72 | 1 73 | Strong $T$ though which really adds to its durability . 74 | build 75 | 1 76 | The $T$ is excellent - 6-7 hours without charging . 77 | battery life 78 | 1 79 | I 've had my computer for 2 weeks already and it $T$ perfectly . 80 | works 81 | 1 82 | And I may be the only one but I am really liking $T$ . 83 | Windows 8 84 | 1 85 | The $T$ is very longer . 86 | baterry 87 | 1 88 | Its $T$ is ideal and the weight is acceptable . 89 | size 90 | 1 91 | Its size is ideal and the $T$ is acceptable . 92 | weight 93 | 1 94 | I can say that I am fully satisfied with the $T$ that the computer has supplied . 95 | performance 96 | 1 97 | This laptop has only 2 $T$ , and they are both on the same side . 98 | USB ports 99 | 2 100 | It has so much more $T$ and the screen is very sharp . 101 | speed 102 | 1 103 | It has so much more speed and the $T$ is very sharp . 104 | screen 105 | 1 106 | Everything I wanted and everything I needed and the $T$ was great ! 107 | price 108 | 1 109 | It 's not inexpensive but the $T$ is impressive for a computer this small . 110 | Hardware performance 111 | 1 112 | This thing is awesome , everything always $T$ , everything is always easy to set up , everything is compatible , its literally everything I could ask for . 113 | works 114 | 1 115 | This thing is awesome , everything always works , everything is always easy to $T$ , everything is compatible , its literally everything I could ask for . 116 | set up 117 | 1 118 | $T$ responds well to presses . 119 | Keyboard 120 | 1 121 | Lastly , $T$ is annoying . 122 | Windows 8 123 | 2 124 | Everything is so easy and intuitive to $T$ or configure . 125 | setup 126 | 1 127 | Everything is so easy and intuitive to setup or $T$ . 128 | configure 129 | 1 130 | Biggest complaint is $T$ . 131 | Windows 8 132 | 2 133 | Only 2 $T$ ... seems kind of ... limited . 134 | usb ports 135 | 2 136 | It has all the expected $T$ and more + plus a wide screen and more than roomy keyboard . 137 | features 138 | 1 139 | It has all the expected features and more + plus a wide $T$ and more than roomy keyboard . 140 | screen 141 | 1 142 | It has all the expected features and more + plus a wide screen and more than roomy $T$ . 143 | keyboard 144 | 1 145 | Amazing $T$ for anything I throw at it . 146 | Performance 147 | 1 148 | The receiver was full of superlatives for the $T$ and performance . 149 | quality 150 | 1 151 | The receiver was full of superlatives for the quality and $T$ . 152 | performance 153 | 1 154 | I was extremely happy with the $T$ itself . 155 | OS 156 | 1 157 | The new MBP offers great $T$ and gives us confidence that we are not going to need to purchase a new laptop in 18 months . 158 | portability 159 | 1 160 | The criticism has waned , and now I 'd be the first to recommend an Air for truly $T$ . 161 | portable computing 162 | 1 163 | I would have given it 5 starts was it not for the fact that it had $T$ 164 | Windows 8 165 | 2 166 | $T$ is wonderful , well worth it . 167 | MS Office 2011 for Mac 168 | 1 169 | But the $T$ of Mac Mini is a huge disappointment . 170 | performance 171 | 2 172 | They don't just $T$ good ; they deliver excellent performance . 173 | look 174 | 1 175 | They don't just look good ; they deliver excellent $T$ . 176 | performance 177 | 1 178 | I have had it over a year now with out a Glitch of any kind . . I love the $T$ and screen display ... this thing is Fast and clear as can be . 179 | lit up keys 180 | 1 181 | I have had it over a year now with out a Glitch of any kind . . I love the lit up keys and $T$ ... this thing is Fast and clear as can be . 182 | screen display 183 | 1 184 | The $T$ is not hard to figure out if you are familiar with Microsoft Windows . 185 | Mountain Lion OS 186 | 1 187 | The Mountain Lion OS is not hard to figure out if you are familiar with $T$ . 188 | Microsoft Windows 189 | 0 190 | However , I can refute that $T$ is `` FAST '' . 191 | OSX 192 | 2 193 | Enjoy using $T$ ! 194 | Microsoft Office 195 | 1 196 | Incredible $T$ and brilliant colors . 197 | graphics 198 | 1 199 | Incredible graphics and brilliant $T$ . 200 | colors 201 | 1 202 | $T$ are purely amazing . 203 | Built-in apps 204 | 1 205 | Cons : $T$ . 206 | Screen resolution 207 | 2 208 | From the speed to the multi touch gestures this $T$ beats Windows easily . 209 | operating system 210 | 1 211 | From the speed to the multi touch gestures this operating system beats $T$ easily . 212 | Windows 213 | 2 214 | From the $T$ to the multi touch gestures this operating system beats Windows easily . 215 | speed 216 | 1 217 | From the speed to the $T$ this operating system beats Windows easily . 218 | multi touch gestures 219 | 1 220 | I really like the $T$ and I 'm a fan of the ACERS . 221 | size 222 | 1 223 | I opted for the $T$ -LRB- $ 1500-2000 -RRB- which also support `` accidents '' like drops and spills that are NOT covered by AppleCare . 224 | SquareTrade 3-Year Computer Accidental Protection Warranty 225 | 1 226 | I opted for the SquareTrade 3-Year Computer Accidental Protection Warranty -LRB- $ 1500-2000 -RRB- which also support `` accidents '' like drops and spills that are NOT covered by $T$ . 227 | AppleCare 228 | 2 229 | It 's light and easy to $T$ . 230 | transport 231 | 1 232 | Once you get past learning how to use the poorly designed $T$ you may feel frustrated . 233 | Windows 8 Set-Up 234 | 2 235 | It 's been time for a new laptop , and the only debate was which $T$ of the Mac laptops , and whether to spring for the retina display . 236 | size 237 | 0 238 | It 's been time for a new laptop , and the only debate was which size of the Mac laptops , and whether to spring for the $T$ . 239 | retina display 240 | 0 241 | The reason why I choose apple MacBook because of their $T$ and the aluminum casing . 242 | design 243 | 1 244 | The reason why I choose apple MacBook because of their design and the $T$ . 245 | aluminum casing 246 | 1 247 | The $T$ sure makes it stand out . 248 | aluminum body 249 | 1 250 | It is very easy to $T$ , and USB devices are recognized almost instantly . 251 | integrate bluetooth devices 252 | 1 253 | It is very easy to integrate bluetooth devices , and $T$ are recognized almost instantly . 254 | USB devices 255 | 1 256 | And the fact that Apple is driving the 13 '' RMBP with the $T$ seems underpowered -LRB- to me . 257 | Intel4000 graphic chip 258 | 2 259 | Apple removed the $T$ -LRB- will work with adapter -RRB- and put the SDXC slot in a silly position on the back . 260 | DVD drive Firewire port 261 | 0 262 | Apple removed the DVD drive Firewire port -LRB- will work with $T$ -RRB- and put the SDXC slot in a silly position on the back . 263 | adapter 264 | 0 265 | Apple removed the DVD drive Firewire port -LRB- will work with adapter -RRB- and put the $T$ in a silly position on the back . 266 | SDXC slot 267 | 2 268 | The $T$ of the laptop will make it worth the money . 269 | durability 270 | 1 271 | Well $T$ and fast . 272 | designed 273 | 1 274 | But I was completely wrong , this computer is UNBELIEVABLE amazing and easy to $T$ . 275 | use 276 | 1 277 | Exactly as posted plus a great $T$ . 278 | value 279 | 1 280 | The $T$ are pretty good too . 281 | specs 282 | 1 283 | Apple is unmatched in $T$ , aesthetics , craftmanship , and customer service . 284 | product quality 285 | 1 286 | Apple is unmatched in product quality , $T$ , craftmanship , and customer service . 287 | aesthetics 288 | 1 289 | Apple is unmatched in product quality , aesthetics , $T$ , and customer service . 290 | craftmanship 291 | 1 292 | Apple is unmatched in product quality , aesthetics , craftmanship , and $T$ . 293 | customer service 294 | 1 295 | It is a great $T$ and amazing windows 8 included ! 296 | size 297 | 1 298 | It is a great size and amazing $T$ included ! 299 | windows 8 300 | 1 301 | I do not like too much $T$ . 302 | Windows 8 303 | 2 304 | $T$ are incredibly long : over two minutes . 305 | Startup times 306 | 2 307 | Also stunning $T$ and speedy 308 | colors 309 | 1 310 | great $T$ free shipping what else can i ask for !! 311 | price 312 | 1 313 | great price free $T$ what else can i ask for !! 314 | shipping 315 | 1 316 | This $T$ is terrific . 317 | mouse 318 | 1 319 | It is really thick around the $T$ . 320 | battery 321 | 0 322 | And $T$ works like a charm . 323 | windows 7 324 | 1 325 | :-RRB- Great product , great $T$ , great delivery , and great service . 326 | price 327 | 1 328 | :-RRB- Great product , great price , great $T$ , and great service . 329 | delivery 330 | 1 331 | :-RRB- Great product , great price , great delivery , and great $T$ . 332 | service 333 | 1 334 | :] It arrived so fast and $T$ was great . 335 | customer service 336 | 1 337 | tried $T$ and hated it !!! 338 | windows 8 339 | 2 340 | $T$ was a breeze . 341 | Set up 342 | 1 343 | But I do NOT like $T$ . 344 | Win8 345 | 2 346 | I am still in the process of learning about its $T$ . 347 | features 348 | 0 349 | I had the same reasons as most PC users : the $T$ , the overbearing restrictions of OSX and lack of support for games . 350 | price 351 | 2 352 | I had the same reasons as most PC users : the price , the overbearing restrictions of $T$ and lack of support for games . 353 | OSX 354 | 2 355 | I had the same reasons as most PC users : the price , the overbearing restrictions of OSX and lack of $T$ . 356 | support for games 357 | 2 358 | I wanted it for it 's $T$ and man , this little bad boy is very nice . 359 | mobility 360 | 1 361 | I found the mini to be : Exceptionally easy to $T$ 362 | set up 363 | 1 364 | Having $T$ is why I bought this Mini . 365 | USB3 366 | 1 367 | The $T$ is nice and loud ; I don't have any problems with hearing anything . 368 | sound 369 | 1 370 | It is very slim , the $T$ is very much impressed with me . 371 | track pad 372 | 1 373 | The $T$ are not user-friendly either . 374 | settings 375 | 2 376 | Thank goodness for $T$ ! 377 | OpenOffice 378 | 1 379 | Awesome $T$ , great battery life , wonderful UX . 380 | form factor 381 | 1 382 | Awesome form factor , great $T$ , wonderful UX . 383 | battery life 384 | 1 385 | Awesome form factor , great battery life , wonderful $T$ . 386 | UX 387 | 1 388 | i love the $T$ and the screen . 389 | keyboard 390 | 1 391 | i love the keyboard and the $T$ . 392 | screen 393 | 1 394 | However , there are MAJOR issues with the $T$ which render the device nearly useless . 395 | touchpad 396 | 2 397 | I 've already upgraded o $T$ and I am impressed with everything about this computer . 398 | Mavericks 399 | 1 400 | Not as fast as I would have expect for an $T$ . 401 | i5 402 | 2 403 | thanks for great $T$ and shipping ! 404 | service 405 | 1 406 | thanks for great service and $T$ ! 407 | shipping 408 | 1 409 | The $T$ seems quite good , and built-in applications like iPhoto work great with my phone and camera . 410 | performance 411 | 1 412 | The performance seems quite good , and $T$ like iPhoto work great with my phone and camera . 413 | built-in applications 414 | 1 415 | The performance seems quite good , and built-in applications like $T$ work great with my phone and camera . 416 | iPhoto 417 | 1 418 | I did swap out the $T$ for a Samsung 830 SSD which I highly recommend . 419 | hard drive 420 | 0 421 | I did swap out the hard drive for a $T$ which I highly recommend . 422 | Samsung 830 SSD 423 | 1 424 | $T$ in a hurry and everything is ready to go . 425 | Starts up 426 | 1 427 | Yes , that 's a good thing , but it 's made from $T$ that scratches easily . 428 | aluminum 429 | 2 430 | Quick and has $T$ . 431 | built in virus control 432 | 1 433 | Took a long time trying to decide between one with $T$ and one without . 434 | retina display 435 | 0 436 | I was also informed that the $T$ of the Mac Book were dirty . 437 | components 438 | 2 439 | the $T$ problems have been so bad , i ca n't wait till it completely dies in 3 years , TOPS ! 440 | hardware 441 | 2 442 | It 's so nice that the $T$ last so long and that this machine has the snow lion ! 443 | battery 444 | 1 445 | It 's so nice that the battery last so long and that this machine has the $T$ ! 446 | snow lion 447 | 1 448 | HOWEVER I chose two day $T$ and it took over a week to arrive . 449 | shipping 450 | 2 451 | it 's exactly what i wanted , and it has all the new $T$ and whatnot . 452 | features 453 | 1 454 | Can you buy any laptop that matches the $T$ of a MacBook ? 455 | quality 456 | 1 457 | It feels cheap , the $T$ is not very sensitive . 458 | keyboard 459 | 2 460 | Though please note that sometimes it crashes , and the $T$ isnt superb . 461 | sound quality 462 | 2 463 | It is very easy to $T$ even for a novice . 464 | navigate 465 | 1 466 | Does everything I need it to , has a wonderful $T$ and I could n't be happier . 467 | battery life 468 | 1 469 | Great $T$ and Quality . 470 | Performance 471 | 1 472 | Great Performance and $T$ . 473 | Quality 474 | 1 475 | I used $T$ , windows Vista , and Windows 7 extensively . 476 | windows XP 477 | 0 478 | I used windows XP , $T$ , and Windows 7 extensively . 479 | windows Vista 480 | 0 481 | I used windows XP , windows Vista , and $T$ extensively . 482 | Windows 7 483 | 0 484 | I did add a $T$ and memory 485 | SSD drive 486 | 0 487 | I did add a SSD drive and $T$ 488 | memory 489 | 0 490 | On $T$ it asks endless questions just so itune can sell you more of their products . 491 | start up 492 | 2 493 | On start up it asks endless questions just so $T$ can sell you more of their products . 494 | itune 495 | 2 496 | I Have been a Pc user for a very long time now but I will get used to this new $T$ . 497 | OS 498 | 0 499 | One more thing , this mac does NOT come with $T$ and I am not sure if you can make them direct from the mac like you can with newer PC 's , also the charging cables are made of the same cheap material as the iPhone/iPod touch cables . 500 | restore disks 501 | 2 502 | One more thing , this mac does NOT come with restore disks and I am not sure if you can make them direct from the mac like you can with newer PC 's , also the $T$ are made of the same cheap material as the iPhone/iPod touch cables . 503 | charging cables 504 | 2 505 | One more thing , this mac does NOT come with restore disks and I am not sure if you can make them direct from the mac like you can with newer PC 's , also the charging cables are made of the same cheap $T$ as the iPhone/iPod touch cables . 506 | material 507 | 2 508 | I bought it to my son who uses it for $T$ . 509 | graphic design 510 | 0 511 | I never tried any $T$ with that iMac . 512 | external mics 513 | 0 514 | The new $T$ is great on my macbook pro ! 515 | os 516 | 1 517 | I have experienced no problems , $T$ as anticipated . 518 | works 519 | 1 520 | $T$ is running great . 521 | System 522 | 1 523 | Easy to $T$ and even create your own bookmarks . 524 | customize setting 525 | 1 526 | Easy to customize setting and even $T$ . 527 | create your own bookmarks 528 | 1 529 | The MAC Mini , $T$ and a HDMI cable is all I need to get some real work done . 530 | wireless keyboard / mouse 531 | 0 532 | The MAC Mini , wireless keyboard / mouse and a $T$ is all I need to get some real work done . 533 | HDMI cable 534 | 0 535 | it has all the $T$ that we expected and the price was good , working well so far . 536 | features 537 | 1 538 | it has all the features that we expected and the $T$ was good , working well so far . 539 | price 540 | 1 541 | it has all the features that we expected and the price was good , $T$ well so far . 542 | working 543 | 1 544 | I work as a designer and coder and I needed a new buddy to work with , not $T$ . 545 | gaming 546 | 0 547 | The new $T$ makes this computer into a super iPad . 548 | operating system 549 | 1 550 | Easy to $T$ and go ! 551 | set up 552 | 1 553 | I ca n't believe how quiet the $T$ is and how quick this thing boots up . 554 | hard drive 555 | 1 556 | I ca n't believe how quiet the hard drive is and how quick this thing $T$ . 557 | boots up 558 | 1 559 | The only issue came when I tried $T$ to the mac . 560 | scanning 561 | 2 562 | I think this is about as good as it gets at anything close to this $T$ . 563 | price point 564 | 0 565 | It 's just what we were looking for and it $T$ great . 566 | works 567 | 1 568 | It 's so quick and responsive that it makes $T$ / surfing on a computer so much more pleasurable ! 569 | working 570 | 1 571 | It 's so quick and responsive that it makes working / $T$ on a computer so much more pleasurable ! 572 | surfing 573 | 1 574 | It $T$ fine , and all the software seems to run pretty well . 575 | works 576 | 1 577 | It works fine , and all the $T$ seems to run pretty well . 578 | software 579 | 1 580 | I 'm using this computer for $T$ , web browsing , some gaming , and I 'm learning programming . 581 | word processing 582 | 0 583 | I 'm using this computer for word processing , $T$ , some gaming , and I 'm learning programming . 584 | web browsing 585 | 0 586 | I 'm using this computer for word processing , web browsing , some $T$ , and I 'm learning programming . 587 | gaming 588 | 0 589 | I 'm using this computer for word processing , web browsing , some gaming , and I 'm learning $T$ . 590 | programming 591 | 0 592 | My wife was so excited to open the box , but quickly came to see that it did not $T$ as it should . 593 | function 594 | 2 595 | I wanted a computer that was quite , fast , and that had overall great $T$ . 596 | performance 597 | 0 598 | $T$ is a mixed bag . 599 | Apple "Help" 600 | 2 601 | It suddenly can not $T$ . 602 | work 603 | 2 604 | $T$ was in poor condition , had to replace it . 605 | Harddrive 606 | 2 607 | The $T$ is a bit obscure in the rear corner . 608 | on/off switch 609 | 2 610 | My only complaint is the total lack of $T$ that come with the mac mini . 611 | instructions 612 | 2 613 | The only task that this computer would not be good enough for would be $T$ , otherwise the integrated Intel 4000 graphics work well for other tasks . 614 | gaming 615 | 2 616 | I use it mostly for $T$ -LRB- Audio , video , photo editing -RRB- and its reliable . 617 | content creation 618 | 1 619 | I use it mostly for content creation -LRB- $T$ , video , photo editing -RRB- and its reliable . 620 | Audio 621 | 1 622 | I use it mostly for content creation -LRB- Audio , $T$ , photo editing -RRB- and its reliable . 623 | video 624 | 1 625 | I use it mostly for content creation -LRB- Audio , video , $T$ -RRB- and its reliable . 626 | photo editing 627 | 1 628 | $T$ is bright and gorgeous . 629 | Screen 630 | 1 631 | The only solution is to turn the $T$ down , etc. . 632 | brightness 633 | 0 634 | If you want more information on macs I suggest going to apple.com and heading towards the macbook page for more information on the $T$ . 635 | applications 636 | 0 637 | It is robust , with a friendly $T$ as all Apple products . 638 | use 639 | 1 640 | It is fast and easy to $T$ . 641 | use 642 | 1 643 | And the fact that it comes with an $T$ definitely speeds things up 644 | i5 processor 645 | 1 646 | I have been PC for years but this computer is intuitive and its $T$ are a great help 647 | built in features 648 | 1 649 | Nice $T$ , keyboard works great ! 650 | screen 651 | 1 652 | Nice screen , $T$ works great ! 653 | keyboard 654 | 1 655 | I was amazed at how fast the $T$ was . 656 | delivery 657 | 1 658 | I 've installed to it additional $T$ and 16Gb RAM . 659 | SSD 660 | 0 661 | I 've installed to it additional SSD and $T$ . 662 | 16Gb RAM 663 | 0 664 | The $T$ was gone and it was not able to be used . 665 | memory 666 | 2 667 | It $T$ great and I am so happy I bought it . 668 | works 669 | 1 670 | I like the $T$ and ease of use with the keyboard , plenty of ports . 671 | design 672 | 1 673 | I like the design and ease of use with the $T$ , plenty of ports . 674 | keyboard 675 | 1 676 | I like the design and ease of use with the keyboard , plenty of $T$ . 677 | ports 678 | 1 679 | it definitely beats my old mac and the $T$ was great . 680 | service 681 | 1 682 | $T$ is very quick with Safari browser . 683 | Web browsing 684 | 1 685 | Web browsing is very quick with $T$ . 686 | Safari browser 687 | 1 688 | I like the $T$ at night . 689 | lighted screen 690 | 1 691 | It is really easy to $T$ and it is quick to start up . 692 | use 693 | 1 694 | It is really easy to use and it is quick to $T$ . 695 | start up 696 | 1 697 | I 've lived with the crashes and slow $T$ and restarts . 698 | operation 699 | 2 700 | $T$ are noticably less expensive than the ThunderBolt ones . 701 | USB3 Peripherals 702 | 1 703 | USB3 Peripherals are noticably less expensive than the $T$ ones . 704 | ThunderBolt 705 | 2 706 | And mine had broke but I sent it in under $T$ - no problems . 707 | warranty 708 | 1 709 | It 's fast , light , and is perfect for $T$ , which is mostly why I bought it in the first place . 710 | media editing 711 | 1 712 | The $T$ lasts as advertised -LRB- give or take 15-20 minutes -RRB- , and the entire user experience is very elegant . 713 | battery 714 | 1 715 | The battery lasts as advertised -LRB- give or take 15-20 minutes -RRB- , and the entire $T$ is very elegant . 716 | user experience 717 | 1 718 | Thanks for the fast $T$ and great price . 719 | shipment 720 | 1 721 | Thanks for the fast shipment and great $T$ . 722 | price 723 | 1 724 | ! Excelent $T$ , usability , presentation and time response . 725 | performance 726 | 1 727 | ! Excelent performance , $T$ , presentation and time response . 728 | usability 729 | 1 730 | ! Excelent performance , usability , $T$ and time response . 731 | presentation 732 | 1 733 | ! Excelent performance , usability , presentation and $T$ . 734 | time response 735 | 1 736 | The smaller $T$ was a bonus because of space restrictions . 737 | size 738 | 1 739 | I blame the $T$ . 740 | Mac OS 741 | 2 742 | In fact I still use many $T$ -LRB- Appleworks , FileMaker Pro , Quicken , Photoshop etc -RRB- ! 743 | Legacy programs 744 | 0 745 | In fact I still use manyLegacy programs -LRB- $T$ , FileMaker Pro , Quicken , Photoshop etc -RRB- ! 746 | Appleworks 747 | 0 748 | In fact I still use manyLegacy programs -LRB- Appleworks , $T$ , Quicken , Photoshop etc -RRB- ! 749 | FileMaker Pro 750 | 0 751 | In fact I still use manyLegacy programs -LRB- Appleworks , FileMaker Pro , $T$ , Photoshop etc -RRB- ! 752 | Quicken 753 | 0 754 | In fact I still use manyLegacy programs -LRB- Appleworks , FileMaker Pro , Quicken , $T$ etc -RRB- ! 755 | Photoshop 756 | 0 757 | I like the $T$ . 758 | operating system 759 | 1 760 | I love the $T$ . 761 | form factor 762 | 1 763 | It 's fast at $T$ . 764 | loading the internet 765 | 1 766 | So much faster and sleeker $T$ . 767 | looking 768 | 1 769 | Unfortunately , it runs $T$ and Microsoft is dropping support next April . 770 | XP 771 | 0 772 | Unfortunately , it runs XP and Microsoft is dropping $T$ next April . 773 | support 774 | 2 775 | First off , I really do like my MBP ... once used to the $T$ it is pretty easy to get around , and the overall build is great ... eg the keyboard is one of the best to type on . 776 | OS 777 | 1 778 | First off , I really do like my MBP ... once used to the OS it is pretty easy to get around , and the $T$ is great ... eg the keyboard is one of the best to type on . 779 | overall build 780 | 1 781 | First off , I really do like my MBP ... once used to the OS it is pretty easy to get around , and the overall build is great ... eg the $T$ is one of the best to type on . 782 | keyboard 783 | 1 784 | It is made of such solid $T$ and since I have never had a Mac using my iPhone helped me get used to the system a bit . 785 | construction 786 | 1 787 | It is made of such solid construction and since I have never had a Mac using my iPhone helped me get used to the $T$ a bit . 788 | system 789 | 0 790 | Very nice $T$ . 791 | unibody construction 792 | 1 793 | This Macbook Pro is fast , powerful , and $T$ super quiet and cool . 794 | runs 795 | 1 796 | It 's ok but does n't have a $T$ which I did n't know until after I bought it . 797 | disk drive 798 | 0 799 | There is no $T$ , nor is there an SD card slot located anywhere on the device . 800 | HDMI receptacle 801 | 0 802 | There is no HDMI receptacle , nor is there an $T$ located anywhere on the device . 803 | SD card slot 804 | 0 805 | It came in brand new and $T$ perfectly . 806 | works 807 | 1 808 | It should n't happen like that , I don't have any $T$ open or anything . 809 | design app 810 | 0 811 | MY $T$ IS NOT WORKING . 812 | TRACKPAD 813 | 2 814 | It looks and feels solid , with a flawless $T$ . 815 | finish 816 | 1 817 | It $T$ and feels solid , with a flawless finish . 818 | looks 819 | 1 820 | It looks and $T$ solid , with a flawless finish . 821 | feels 822 | 1 823 | $T$ was higher when purchased on MAC when compared to price showing on PC when I bought this product . 824 | Price 825 | 2 826 | Price was higher when purchased on MAC when compared to $T$ showing on PC when I bought this product . 827 | price 828 | 1 829 | Then the $T$ would many times not power down without a forced power-off . 830 | system 831 | 2 832 | Then the system would many times not $T$ without a forced power-off . 833 | power down 834 | 2 835 | The $T$ is perfect for my needs . 836 | configuration 837 | 1 838 | and the $T$ is the worst ever . 839 | speakers 840 | 2 841 | Its the best , its got the $T$ , super easy to use and love all you can do with the trackpad ! . . 842 | looks 843 | 1 844 | Its the best , its got the looks , super easy to $T$ and love all you can do with the trackpad ! . . 845 | use 846 | 1 847 | Its the best , its got the looks , super easy to use and love all you can do with the $T$ ! . . 848 | trackpad 849 | 1 850 | $T$ is smooth and seamless . 851 | Web surfuring 852 | 1 853 | I 'm overall pleased with the $T$ and the portability of this product . 854 | interface 855 | 1 856 | I 'm overall pleased with the interface and the $T$ of this product . 857 | portability 858 | 1 859 | This item is a beautiful piece , it $T$ well , it is easy to carry and handle . 860 | works 861 | 1 862 | This item is a beautiful piece , it works well , it is easy to $T$ and handle . 863 | carry 864 | 1 865 | This item is a beautiful piece , it works well , it is easy to carry and $T$ . 866 | handle 867 | 1 868 | It was also suffering from hardware -LRB- keyboard -RRB- issues , relatively slow $T$ and shortening battery lifetime . 869 | performance 870 | 2 871 | It was also suffering from hardware -LRB- keyboard -RRB- issues , relatively slow performance and shortening $T$ . 872 | battery lifetime 873 | 2 874 | It was also suffering from $T$ issues , relatively slow performance and shortening battery lifetime . 875 | hardware (keyboard) 876 | 2 877 | $T$ good and does the job , ca n't complain about that ! 878 | Runs 879 | 1 880 | It 's silent and has a very small $T$ on my desk . 881 | footprint 882 | 1 883 | The $T$ is absolutely gorgeous . 884 | exterior 885 | 1 886 | It has a very high $T$ , just for what I needed for . 887 | performance 888 | 1 889 | Apple is aware of this issue and this is either old stock or a defective design involving the $T$ . 890 | intel 4000 graphics chipset 891 | 0 892 | Apple is aware of this issue and this is either old stock or a defective $T$ involving the intel 4000 graphics chipset . 893 | design 894 | 0 895 | $T$ soon to upgrade to Mavericks . 896 | OSX Mountain Lion 897 | 0 898 | OSX Mountain Lion soon to upgrade to $T$ . 899 | Mavericks 900 | 0 901 | I just bought the new MacBook Pro , the 13 '' model , and I ca n't believe Apple keeps making the same mistake with regard to $T$ . 902 | USB ports 903 | 2 904 | It wakes in less than a second when I open the $T$ . 905 | lid 906 | 0 907 | It $T$ in less than a second when I open the lid . 908 | wakes 909 | 1 910 | It is the perfect $T$ and speed for me . 911 | size 912 | 1 913 | It is the perfect size and $T$ for me . 914 | speed 915 | 1 916 | THE $T$ IS TERRIFIC !! 917 | CUSTOMER SERVICE 918 | 1 919 | My last laptop was a 17 '' ASUS gaming machine , which $T$ admirably , but having since built my own desktop and really settling into the college life , I found myself wanting something smaller and less cumbersome , not to mention that the ASUS had been slowly developing problems ever since I bought it about 4 years ago . 920 | performed 921 | 1 922 | However , it did not have any scratches , ZERO $T$ -LRB- pretty surprised -RRB- , and all the hardware seemed to be working perfectly . 923 | battery cycle count 924 | 1 925 | However , it did not have any scratches , ZERO battery cycle count -LRB- pretty surprised -RRB- , and all the $T$ seemed to be working perfectly . 926 | hardware 927 | 1 928 | After fumbling around with the $T$ I started searching the internet for a fix and found a number of forums on fixing the issue . 929 | OS 930 | 2 931 | And as for all the fancy $T$ -- I just gave up and attached a mouse . 932 | finger swipes 933 | 2 934 | And as for all the fancy finger swipes -- I just gave up and attached a $T$ . 935 | mouse 936 | 0 937 | I needed a laptop with big $T$ , a nice screen and fast so I can photoshop without any problem . 938 | storage 939 | 0 940 | I needed a laptop with big storage , a nice $T$ and fast so I can photoshop without any problem . 941 | screen 942 | 0 943 | I needed a laptop with big storage , a nice screen and fast so I can $T$ without any problem . 944 | photoshop 945 | 0 946 | I like coming back to $T$ but this laptop is lacking in speaker quality compared to my $ 400 old HP laptop . 947 | Mac OS 948 | 1 949 | I like coming back to Mac OS but this laptop is lacking in $T$ compared to my $ 400 old HP laptop . 950 | speaker quality 951 | 2 952 | $T$ very quickly and safely . 953 | Shipped 954 | 1 955 | The $T$ is awesome ! 956 | thunderbolt port 957 | 1 958 | The $T$ is definitely superior to any computer I 've ever put my hands on . 959 | performance 960 | 1 961 | It 's great for $T$ and other entertainment uses . 962 | streaming video 963 | 1 964 | It 's great for streaming video and other $T$ . 965 | entertainment uses 966 | 1 967 | I like the $T$ and its features but there are somethings I think needs to be improved . 968 | design 969 | 1 970 | I like the design and its $T$ but there are somethings I think needs to be improved . 971 | features 972 | 1 973 | There were small problems with $T$ . 974 | Mac office 975 | 2 976 | I understand I should call $T$ about any variables -LRB- which is my purpose of writing this con -RRB- as variables could be a bigger future problem . 977 | Apple Tech Support 978 | 0 979 | I ordered my 2012 mac mini after being disappointed with $T$ of the new 27 '' Imacs . 980 | spec 981 | 2 982 | It still $T$ and it 's extremely user friendly , so I would recommend it for new computer user and also for those who are just looking for a more efficient way to do things 983 | works 984 | 1 985 | Its fast , easy to $T$ and it looks great . 986 | use 987 | 1 988 | Its fast , easy to use and it $T$ great . 989 | looks 990 | 1 991 | -LRB- but $T$ can be purchased -RRB- IF I ever need a laptop again I am for sure purchasing another Toshiba !! 992 | Office 993 | 0 994 | I have n't tried the one with $T$ ... Maybe in the future . 995 | retina display 996 | 0 997 | $T$ is much much better on the Pro , especially if you install an SSD on it . 998 | Performance 999 | 1 1000 | Performance is much much better on the Pro , especially if you install an $T$ on it . 1001 | SSD 1002 | 1 1003 | Note , however , that any existing $T$ you have will not work with the MagSafe 2 connection . 1004 | MagSafe accessories 1005 | 0 1006 | Note , however , that any existing MagSafe accessories you have will not work with the $T$ . 1007 | MagSafe 2 connection 1008 | 2 1009 | The only thing I dislike is the $T$ , alot of the times its unresponsive and does things I dont want it too , I would recommend using a mouse with it . 1010 | touchpad 1011 | 2 1012 | The only thing I dislike is the touchpad , alot of the times its unresponsive and does things I dont want it too , I would recommend using a $T$ with it . 1013 | mouse 1014 | 0 1015 | The Mac mini is about 8x smaller than my old computer which is a huge bonus and $T$ very quiet , actually the fans are n't audible unlike my old pc 1016 | runs 1017 | 1 1018 | The Mac mini is about 8x smaller than my old computer which is a huge bonus and runs very quiet , actually the $T$ are n't audible unlike my old pc 1019 | fans 1020 | 1 1021 | MAYBE The $T$ improvement were not The product they Want to offer . 1022 | Mac OS 1023 | 2 1024 | I thought the transition would be difficult at best and would take some time to fully familiarize myself with the new $T$ . 1025 | Mac ecosystem 1026 | 0 1027 | It 's absolutely wonderful and worth the $T$ ! 1028 | price 1029 | 1 1030 | I am please with the products ease of $T$ ; out of the box ready ; appearance and functionality . 1031 | use 1032 | 1 1033 | I am please with the products ease of use ; out of the box ready ; $T$ and functionality . 1034 | appearance 1035 | 1 1036 | I am please with the products ease of use ; out of the box ready ; appearance and $T$ . 1037 | functionality 1038 | 1 1039 | Perfect for all my $T$ classes I 'm taking this year in college : - -RRB- 1040 | graphic design 1041 | 1 1042 | I will not be using that $T$ again . 1043 | slot 1044 | 2 1045 | The $T$ is fast and fluid , everything is organized and it 's just beautiful . 1046 | OS 1047 | 1 1048 | They are simpler to $T$ . 1049 | use 1050 | 1 1051 | ! so nice . . stable . . fast . . now i got my $T$ ! 1052 | SSD 1053 | 1 1054 | Also , in using the $T$ , my voice recording for my vlog sounds like the interplanetary transmissions in the `` Star Wars '' saga . 1055 | built-in camera 1056 | 0 1057 | Also , in using the built-in camera , my $T$ for my vlog sounds like the interplanetary transmissions in the `` Star Wars '' saga . 1058 | voice recording 1059 | 2 1060 | I love the quick $T$ . 1061 | start up 1062 | 1 1063 | You just can not beat the $T$ of an Apple device . 1064 | functionality 1065 | 1 1066 | Yet my mac continues to $T$ properly . 1067 | function 1068 | 1 1069 | $T$ are much improved . 1070 | Graphics 1071 | 1 1072 | Here are the things that made me confident with my purchase : $T$ - Seriously , you ca n't beat a unibody construction . 1073 | Build Quality 1074 | 1 1075 | Here are the things that made me confident with my purchase : Build Quality - Seriously , you ca n't beat a $T$ . 1076 | unibody construction 1077 | 1 1078 | It provides much more $T$ . 1079 | flexibility for connectivity 1080 | 1 1081 | I want the $T$ of a tablet , without the limitations of a tablet and that 's where this laptop comes into play . 1082 | portability 1083 | 1 1084 | $T$ do help . 1085 | Mac tutorials 1086 | 1 1087 | The $T$ was not helpful as well . 1088 | technical support 1089 | 2 1090 | I got the new $T$ and there was no change . 1091 | adapter 1092 | 0 1093 | so i called $T$ . 1094 | technical support 1095 | 0 1096 | Came with $T$ and garage band already loaded . 1097 | iPhoto 1098 | 0 1099 | Came with iPhoto and $T$ already loaded . 1100 | garage band 1101 | 0 1102 | $T$ utterly fried , cried , and laid down and died . 1103 | Logic board 1104 | 1 1105 | The $T$ was crappy even when you turn up the volume still the same results . 1106 | sound 1107 | 2 1108 | The sound was crappy even when you turn up the $T$ still the same results . 1109 | volume 1110 | 2 1111 | $T$ is a great performer . . extremely fast and reliable . 1112 | OSX Lion 1113 | 1 1114 | Having heard from friends and family about how reliable a Mac product is , I never expected to have an $T$ crash within the first month , but I did . 1115 | application 1116 | 2 1117 | The Macbook pro 's $T$ is wonderful . 1118 | physical form 1119 | 1 1120 | The Mini 's $T$ has n't changed since late 2010 - and for a good reason . 1121 | body 1122 | 1 1123 | The $T$ really does feel lot more solid than Apple 's previous laptops . 1124 | unibody construction 1125 | 1 1126 | $T$ slows it down considerably . 1127 | 3D rendering 1128 | 2 1129 | Got this Mac Mini with $T$ for my wife . 1130 | OS X Mountain Lion 1131 | 0 1132 | fast , great $T$ , beautiful apps for a laptop ; priced at 1100 on the apple website ; amazon had it for 1098 + tax - plus i had a 10 % off coupon from amazon-cost me 998 plus tax - 1070 - OTD ! 1133 | screen 1134 | 1 1135 | fast , great screen , beautiful $T$ for a laptop ; priced at 1100 on the apple website ; amazon had it for 1098 + tax - plus i had a 10 % off coupon from amazon-cost me 998 plus tax - 1070 - OTD ! 1136 | apps 1137 | 1 1138 | fast , great screen , beautiful apps for a laptop ; $T$ at 1100 on the apple website ; amazon had it for 1098 + tax - plus i had a 10 % off coupon from amazon-cost me 998 plus tax - 1070 - OTD ! 1139 | priced 1140 | 0 1141 | fast , great screen , beautiful apps for a laptop ; priced at 1100 on the apple website ; amazon had it for 1098 + tax - plus i had a 10 % off coupon from amazon - $T$ me 998 plus tax - 1070 - OTD ! 1142 | cost 1143 | 0 1144 | 12.44 seconds to $T$ . 1145 | boot 1146 | 0 1147 | All the $T$ are much needed since this is my main computer . 1148 | ports 1149 | 0 1150 | The Like New condition of the iMac MC309LL/A on Amazon is at $ 900 + level only , and it is a $T$ -LRB- similar to the $ 799 Mini -RRB- , with Radeon HD 6750M 512 MB graphic card -LRB- this mini is integrated Intel 4000 card -RRB- , and it even comes with wireless Apple Keyboard and Mouse , all put together in neat and nice package . 1151 | Quad-Core 2.5 GHz CPU 1152 | 0 1153 | The Like New condition of the iMac MC309LL/A on Amazon is at $ 900 + level only , and it is a Quad-Core 2.5 GHz CPU -LRB- similar to the $ 799 Mini -RRB- , with $T$ -LRB- this mini is integrated Intel 4000 card -RRB- , and it even comes with wireless Apple Keyboard and Mouse , all put together in neat and nice package . 1154 | Radeon HD 6750M 512MB graphic card 1155 | 0 1156 | The Like New condition of the iMac MC309LL/A on Amazon is at $ 900 + level only , and it is a Quad-Core 2.5 GHz CPU -LRB- similar to the $ 799 Mini -RRB- , with Radeon HD 6750M 512 MB graphic card -LRB- this mini is $T$ -RRB- , and it even comes with wireless Apple Keyboard and Mouse , all put together in neat and nice package . 1157 | integrated Intel 4000 card 1158 | 0 1159 | The Like New condition of the iMac MC309LL/A on Amazon is at $ 900 + level only , and it is a Quad-Core 2.5 GHz CPU -LRB- similar to the $ 799 Mini -RRB- , with Radeon HD 6750M 512 MB graphic card -LRB- this mini is integrated Intel 4000 card -RRB- , and it even comes with $T$ , all put together in neat and nice package . 1160 | wireless Apple Keyboard and Mouse 1161 | 0 1162 | The Like New condition of the iMac MC309LL/A on Amazon is at $ 900 + level only , and it is a Quad-Core 2.5 GHz CPU -LRB- similar to the $ 799 Mini -RRB- , with Radeon HD 6750M 512 MB graphic card -LRB- this mini is integrated Intel 4000 card -RRB- , and it even comes with wireless Apple Keyboard and Mouse , all put together in neat and nice $T$ . 1163 | package 1164 | 1 1165 | Put a $T$ on it and is a little better but that is my only complaint . 1166 | cover 1167 | 0 1168 | Within a few hours I was using the $T$ unconsciously . 1169 | gestures 1170 | 1 1171 | This mac does come with an $T$ and I 'm using mine right now hoping the cable will stay nice for the many years I plan on using this mac . 1172 | extender cable 1173 | 0 1174 | This mac does come with an extender cable and I 'm using mine right now hoping the $T$ will stay nice for the many years I plan on using this mac . 1175 | cable 1176 | 1 1177 | The $T$ really out does itself . 1178 | 2.9ghz dual-core i7 chip 1179 | 1 1180 | It is pretty snappy and $T$ in about 30 seconds which is good enough for me . 1181 | starts up 1182 | 1 1183 | Not sure on $T$ . 1184 | Windows 8 1185 | 0 1186 | My one complaint is that there was no $T$ . 1187 | internal CD drive 1188 | 2 1189 | This newer netbook has no $T$ or network lights . 1190 | hard drive 1191 | 0 1192 | This newer netbook has no hard drive or $T$ . 1193 | network lights 1194 | 0 1195 | I was having a though time deciding between the 13 '' MacBook Air or the MacBook Pro 13 '' -LRB- Both baseline models , $T$ at 1,200 $ retail -RRB- 1196 | priced 1197 | 0 1198 | Not too expense and has enough $T$ for most users and many ports . 1199 | storage 1200 | 1 1201 | Not too expense and has enough storage for most users and many $T$ . 1202 | ports 1203 | 1 1204 | The $T$ is quite low and virtually unusable in a room with any background activity . 1205 | audio volume 1206 | 2 1207 | It is lightweight and the perfect $T$ to carry to class . 1208 | size 1209 | 1 1210 | I was given a demonstration of $T$ . 1211 | Windows 8 1212 | 0 1213 | The MBP is beautiful has many wonderful $T$ . 1214 | capabilities 1215 | 1 1216 | I thought that it will be fine , if i do some $T$ . 1217 | settings 1218 | 0 1219 | $T$ very smoothly . 1220 | Runs 1221 | 1 1222 | $T$ slowed significantly after all Windows updates were installed . 1223 | Boot-up 1224 | 2 1225 | Boot-up slowed significantly after all $T$ were installed . 1226 | Windows updates 1227 | 2 1228 | More likely it will require replacing the $T$ once they admit they have a problem and come up with a solution . 1229 | logic board 1230 | 2 1231 | It was important that it was powerful enough to do all of the tasks he needed on the $T$ , word processing , graphic design and gaming . 1232 | internet 1233 | 1 1234 | It was important that it was powerful enough to do all of the tasks he needed on the internet , $T$ , graphic design and gaming . 1235 | word processing 1236 | 1 1237 | It was important that it was powerful enough to do all of the tasks he needed on the internet , word processing , $T$ and gaming . 1238 | graphic design 1239 | 1 1240 | It was important that it was powerful enough to do all of the tasks he needed on the internet , word processing , graphic design and $T$ . 1241 | gaming 1242 | 1 1243 | I like the Mini Mac it was easy to $T$ and install , but I am learning as I go and could use a tutorial to learn how to use some of the features I was use to on the PC especially the right mouse click menu . 1244 | setup 1245 | 1 1246 | I like the Mini Mac it was easy to setup and $T$ , but I am learning as I go and could use a tutorial to learn how to use some of the features I was use to on the PC especially the right mouse click menu . 1247 | install 1248 | 1 1249 | I like the Mini Mac it was easy to setup and install , but I am learning as I go and could use a $T$ to learn how to use some of the features I was use to on the PC especially the right mouse click menu . 1250 | tutorial 1251 | 0 1252 | I like the Mini Mac it was easy to setup and install , but I am learning as I go and could use a tutorial to learn how to use some of the $T$ I was use to on the PC especially the right mouse click menu . 1253 | features 1254 | 0 1255 | I like the Mini Mac it was easy to setup and install , but I am learning as I go and could use a tutorial to learn how to use some of the features I was use to on the PC especially the $T$ . 1256 | right mouse click menu 1257 | 0 1258 | $T$ real quick . 1259 | Runs 1260 | 1 1261 | Buy the separate $T$ and you will have a rocket ! 1262 | RAM memory 1263 | 1 1264 | Since the machine 's slim $T$ is critical to me , that was a problem . 1265 | profile 1266 | 2 1267 | WiFi capability , $T$ and multiple USB ports to connect scale and printers was all that was required . 1268 | disk drive 1269 | 1 1270 | WiFi capability , disk drive and multiple $T$ to connect scale and printers was all that was required . 1271 | USB ports 1272 | 1 1273 | $T$ , disk drive and multiple USB ports to connect scale and printers was all that was required . 1274 | WiFi capability 1275 | 1 1276 | The $T$ is slightly recessed and upside down -LRB- the nail slot on the card can not be accessed -RRB- , if this was a self ejecting slot this would not be an issue , but its not . 1277 | SD card reader 1278 | 2 1279 | The SD card reader is slightly recessed and upside down -LRB- the $T$ can not be accessed -RRB- , if this was a self ejecting slot this would not be an issue , but its not . 1280 | nail slot on the card 1281 | 2 1282 | The SD card reader is slightly recessed and upside down -LRB- the nail slot on the card can not be accessed -RRB- , if this was a self ejecting $T$ this would not be an issue , but its not . 1283 | slot 1284 | 2 1285 | Soft $T$ , anodized aluminum with laser cut precision and no flaws . 1286 | touch 1287 | 1 1288 | Soft touch , $T$ with laser cut precision and no flaws . 1289 | anodized aluminum 1290 | 1 1291 | Simple details , crafted $T$ and real glass make this laptop blow away the other plastic ridden , bulky sticker filled laptops . 1292 | aluminium 1293 | 1 1294 | Simple details , crafted aluminium and real $T$ make this laptop blow away the other plastic ridden , bulky sticker filled laptops . 1295 | glass 1296 | 1 1297 | First of all yes this is a mac and it has that nice brushed $T$ . 1298 | aluminum 1299 | 1 1300 | After all was said and done , I essentially used that $ 450 savings to buy $T$ , TWO Seagate Momentus XT hybrid drives and an OWC upgrade kit to install the second hard drive . 1301 | 16GB of RAM 1302 | 0 1303 | After all was said and done , I essentially used that $ 450 savings to buy 16 GB of RAM , TWO $T$ and an OWC upgrade kit to install the second hard drive . 1304 | Seagate Momentus XT hybrid drives 1305 | 0 1306 | After all was said and done , I essentially used that $ 450 savings to buy 16 GB of RAM , TWO Seagate Momentus XT hybrid drives and an $T$ to install the second hard drive . 1307 | OWC upgrade kit 1308 | 0 1309 | After all was said and done , I essentially used that $ 450 savings to buy 16 GB of RAM , TWO Seagate Momentus XT hybrid drives and an OWC upgrade kit to install the second $T$ . 1310 | hard drive 1311 | 0 1312 | The Dell Inspiron is fast and has a $T$ , which I miss on my Apple laptops . 1313 | number pad on the keyboard 1314 | 1 1315 | I was concerned that the downgrade to the $T$ would make it unacceptably slow but I need not have worried - this machine is the fastest I have ever owned ... 1316 | regular hard drive 1317 | 1 1318 | This one still has the $T$ . 1319 | CD slot 1320 | 0 1321 | No $T$ . 1322 | HDMI port 1323 | 0 1324 | I had to $T$ and it took a good two hours . 1325 | install Mountain Lion 1326 | 2 1327 | $T$ on mac is impossible . 1328 | Customization 1329 | 2 1330 | I am replacing the $T$ with a Micron SSD soon . 1331 | HD 1332 | 0 1333 | I am replacing the HD with a $T$ soon . 1334 | Micron SSD 1335 | 0 1336 | Plus $T$ as a replacement for the right click button is surprisingly intuitive . 1337 | two finger clicking 1338 | 1 1339 | Plus two finger clicking as a replacement for the $T$ is surprisingly intuitive . 1340 | right click button 1341 | 0 1342 | The $T$ is quiet . 1343 | SuperDrive 1344 | 1 1345 | The $T$ has to be connected to the power adaptor to charge the battery but wo n't stay connected . 1346 | power plug 1347 | 2 1348 | The power plug has to be connected to the $T$ to charge the battery but wo n't stay connected . 1349 | power adaptor 1350 | 0 1351 | The power plug has to be connected to the power adaptor to charge the $T$ but wo n't stay connected . 1352 | battery 1353 | 0 1354 | The $T$ was completely dead , in fact it had grown about a quarter inch thick lump on the underside . 1355 | battery 1356 | 2 1357 | if yo like $T$ this is the laptop for you . 1358 | practicality 1359 | 1 1360 | The $T$ is great . 1361 | OS 1362 | 1 1363 | I tried several $T$ and several HDMI cables and this was the case each time . 1364 | monitors 1365 | 0 1366 | I tried several monitors and several $T$ and this was the case each time . 1367 | HDMI cables 1368 | 0 1369 | CONS : $T$ is a bit ridiculous , kinda heavy . 1370 | Price 1371 | 2 1372 | The troubleshooting said it was the $T$ so we ordered a new one . 1373 | AC adaptor 1374 | 0 1375 | $T$ only comes on when you are playing a game . 1376 | Fan 1377 | 0 1378 | Fan only comes on when you are $T$ . 1379 | playing a game 1380 | 0 1381 | Which it did not have , only 3 $T$ . 1382 | USB 2 ports 1383 | 0 1384 | No $T$ was not included but that may be my fault . 1385 | startup disk 1386 | 0 1387 | There is no $T$ . 1388 | "tools" menu 1389 | 0 1390 | It is very fast and has everything that I need except for a $T$ . 1391 | word program 1392 | 2 1393 | Needs a $T$ and a bigger power switch . 1394 | CD/DVD drive 1395 | 0 1396 | Needs a CD/DVD drive and a bigger $T$ . 1397 | power switch 1398 | 2 1399 | My laptop with $T$ crashed and I did not want Windows 8 . 1400 | Windows 7 1401 | 2 1402 | My laptop with Windows 7 crashed and I did not want $T$ . 1403 | Windows 8 1404 | 2 1405 | Easy to $T$ also small to leave anywhere at your bedroom also very easy to configure for ADSl cable or wifi . 1406 | install 1407 | 1 1408 | Easy to install also small to leave anywhere at your bedroom also very easy to $T$ . 1409 | configure for ADSl cable or wifi 1410 | 1 1411 | Nice $T$ . 1412 | packing 1413 | 1 1414 | I switched to this because I wanted something different , even though I miss $T$ . 1415 | windows 1416 | 1 1417 | Apple no longer includes $T$ with the computer and furthermore , Apple does n't even offer it anymore ! 1418 | iDVD 1419 | 2 1420 | I also wanted $T$ , which this one has . 1421 | Windows 7 1422 | 1 1423 | At first , I feel a little bit uncomfortable in using the $T$ . 1424 | Mac system 1425 | 2 1426 | I am used to computers with $T$ so I am having a little difficulty finding my way around . 1427 | windows 1428 | 0 1429 | It just $T$ out of the box and you have a lot of cool software included with the OS . 1430 | works 1431 | 1 1432 | It just works out of the box and you have a lot of cool $T$ included with the OS . 1433 | software 1434 | 1 1435 | It just works out of the box and you have a lot of cool software included with the $T$ . 1436 | OS 1437 | 0 1438 | its as advertised on here ... . it $T$ great and is not a waste of money ! 1439 | works 1440 | 1 1441 | $T$ like a champ ... 1442 | Runs 1443 | 1 1444 | Premium $T$ for the OS more than anything else . 1445 | price 1446 | 1 1447 | Premium price for the $T$ more than anything else . 1448 | OS 1449 | 0 1450 | I was a little concerned about the $T$ based on reviews , but I 've found it fine to work with . 1451 | touch pad 1452 | 1 1453 | The sound as mentioned earlier is n't the best , but it can be solved with $T$ . 1454 | headphones 1455 | 0 1456 | However , the experience was great since the $T$ does not become unstable and the application will simply shutdown and reopen . 1457 | OS 1458 | 1 1459 | However , the experience was great since the OS does not become unstable and the $T$ will simply shutdown and reopen . 1460 | application 1461 | 1 1462 | If you ask me , for this $T$ it should be included . 1463 | price 1464 | 2 1465 | The $T$ is not as shown in the product photos . 1466 | battery 1467 | 2 1468 | $T$ was quick and product described was the product sent and so much more ... 1469 | Shipping 1470 | 1 1471 | the $T$ make pictures i took years ago jaw dropping . 1472 | retina display display 1473 | 1 1474 | The Mac Mini is probably the simplest example of $T$ out there . 1475 | compact computing 1476 | 1 1477 | Instead , I 'll focus more on the actual $T$ itself so you can make an educated decision on which Mac to buy . 1478 | performance and feature set of the hardware 1479 | 0 1480 | Other $T$ include FireWire 800 , Gigabit Ethernet , MagSafe port , Microphone jack . 1481 | ports 1482 | 0 1483 | Other ports include $T$ , Gigabit Ethernet , MagSafe port , Microphone jack . 1484 | FireWire 800 1485 | 0 1486 | Other ports include FireWire 800 , $T$ , MagSafe port , Microphone jack . 1487 | Gigabit Ethernet 1488 | 0 1489 | Other ports include FireWire 800 , Gigabit Ethernet , $T$ , Microphone jack . 1490 | MagSafe port 1491 | 0 1492 | Other ports include FireWire 800 , Gigabit Ethernet , MagSafe port , $T$ . 1493 | Microphone jack 1494 | 0 1495 | Additionally , there is barely a $T$ in the computer , and even the simple activity of watching videos let alone playing steam games causes the laptop to get very very hot , and in fact impossible to keep on lap . 1496 | ventilation system 1497 | 2 1498 | Additionally , there is barely a ventilation system in the computer , and even the simple activity of $T$ let alone playing steam games causes the laptop to get very very hot , and in fact impossible to keep on lap . 1499 | watching videos 1500 | 0 1501 | Additionally , there is barely a ventilation system in the computer , and even the simple activity of watching videos let alone $T$ causes the laptop to get very very hot , and in fact impossible to keep on lap . 1502 | playing steam games 1503 | 0 1504 | Chatting with $T$ , I was advised the problem was corrupted operating system files . 1505 | Acer support 1506 | 0 1507 | Chatting with Acer support , I was advised the problem was corrupted $T$ . 1508 | operating system files 1509 | 0 1510 | It 's been a couple weeks since the purchase and I 'm struggle with finding the correct $T$ -LRB- but that was expected -RRB- . 1511 | keys 1512 | 0 1513 | Many people complain about the new $T$ , and it 's urgent for Apple to fix it asap ! 1514 | OS 1515 | 2 1516 | Now that I have upgraded to $T$ I am much happier about MAC OS and have just bought an iMac for office . 1517 | Lion 1518 | 1 1519 | Now that I have upgraded to Lion I am much happier about $T$ and have just bought an iMac for office . 1520 | MAC OS 1521 | 1 1522 | User upgradeable $T$ and HDD . 1523 | RAM 1524 | 1 1525 | User upgradeable RAM and $T$ . 1526 | HDD 1527 | 1 1528 | But I wanted the Pro for the $T$ . 1529 | CD/DVD player 1530 | 1 1531 | I was a little worry at first because I don't have a lot of experience with $T$ and windows has always been second nature to me after many years of using windows . 1532 | os.x 1533 | 0 1534 | I was a little worry at first because I don't have a lot of experience with os.x and $T$ has always been second nature to me after many years of using windows . 1535 | windows 1536 | 1 1537 | I was a little worry at first because I don't have a lot of experience with os.x and windows has always been second nature to me after many years of using $T$ . 1538 | windows 1539 | 0 1540 | With the softwares supporting the use of other $T$ makes it much better . 1541 | OS 1542 | 0 1543 | With the $T$ supporting the use of other OS makes it much better . 1544 | softwares 1545 | 0 1546 | I then upgraded to $T$ . 1547 | Mac OS X 10.8 "Mountain Lion" 1548 | 0 1549 | I was considering buying the Air , but in reality , this one has a more powerful $T$ and seems much more convenient , even though it 's about .20 inch thicker and 2 lbs heavier . 1550 | performance 1551 | 1 1552 | At home and the office it gets plugged into an external 24 '' LCD screen , so $T$ is not terribly important . 1553 | built in screen size 1554 | 0 1555 | At home and the office it gets plugged into an $T$ , so built in screen size is not terribly important . 1556 | external 24" LCD screen 1557 | 0 1558 | Just beware no DVD slot so when I went to $T$ I had on CD I could n't . 1559 | install software 1560 | 2 1561 | Just beware no $T$ so when I went to install software I had on CD I could n't . 1562 | DVD slot 1563 | 0 1564 | I bought it to be able to dedicate a small , portable laptop to my writing and was surprised to learn that I needed to buy a $T$ to do so . 1565 | word processing program 1566 | 0 1567 | This version of MacBook Pro runs on a $T$ , not the latest fourth-generation Haswell CPU the 2013 version has . 1568 | third-generation CPU ("Ivy Bridge") 1569 | 0 1570 | This version of MacBook Pro runs on a third-generation CPU -LRB- `` Ivy Bridge '' -RRB- , not the latest $T$ the 2013 version has . 1571 | fourth-generation Haswell CPU 1572 | 0 1573 | No $T$ in the new version there 's no way I 'm spending that kind of money on something has less features than the older version . 1574 | Cd Rom 1575 | 0 1576 | No Cd Rom in the new version there 's no way I 'm spending that kind of money on something has less $T$ than the older version . 1577 | features 1578 | 2 1579 | the $T$ is really low to low for a laptopwas not expectin t volume to be so lowan i hate that about this computer 1580 | volume 1581 | 2 1582 | the volume is really low to low for a laptopwas not expectin t $T$ to be so lowan i hate that about this computer 1583 | volume 1584 | 2 1585 | and its not hard to accidentally bang it against something so i recommend getting a $T$ to protect it . 1586 | case 1587 | 0 1588 | I got this at an amazing $T$ from Amazon and it arrived just in time . 1589 | price 1590 | 1 1591 | Every time I $T$ after a few hours , there is this endlessly frustrating process that I have to go through . 1592 | log into the system 1593 | 2 1594 | Put a SSD and use a $T$ , this set up is silky smooth ! 1595 | 21" LED screen 1596 | 0 1597 | Put a $T$ and use a 21 '' LED screen , this set up is silky smooth ! 1598 | SSD 1599 | 0 1600 | Put a SSD and use a 21 '' LED screen , this $T$ is silky smooth ! 1601 | set up 1602 | 1 1603 | The $T$ is now slightly larger than the previous generation , but the lack of an external power supply justifies the small increase in size . 1604 | case 1605 | 2 1606 | The case is now slightly larger than the previous generation , but the lack of an $T$ justifies the small increase in size . 1607 | external power supply 1608 | 0 1609 | I had to buy a $T$ to go with it , as I am old school and hate the pad , but knew that before I bought it , now it works great , need to get adjusted to the key board , as I am used to a bigger one and pounding . 1610 | wireless mouse 1611 | 0 1612 | I had to buy a wireless mouse to go with it , as I am old school and hate the $T$ , but knew that before I bought it , now it works great , need to get adjusted to the key board , as I am used to a bigger one and pounding . 1613 | pad 1614 | 2 1615 | I had to buy a wireless mouse to go with it , as I am old school and hate the pad , but knew that before I bought it , now it $T$ great , need to get adjusted to the key board , as I am used to a bigger one and pounding . 1616 | works 1617 | 1 1618 | I had to buy a wireless mouse to go with it , as I am old school and hate the pad , but knew that before I bought it , now it works great , need to get adjusted to the $T$ , as I am used to a bigger one and pounding . 1619 | key board 1620 | 0 1621 | When considering a Mac , look at the total $T$ and not just the initial price tag . 1622 | cost of ownership 1623 | 0 1624 | When considering a Mac , look at the total cost of ownership and not just the initial $T$ . 1625 | price tag 1626 | 0 1627 | Has all the other $T$ I wanted including a VGA port , HDMI , ethernet and 3 USB ports . 1628 | features 1629 | 1 1630 | Has all the other features I wanted including a $T$ , HDMI , ethernet and 3 USB ports . 1631 | VGA port 1632 | 0 1633 | Has all the other features I wanted including a VGA port , $T$ , ethernet and 3 USB ports . 1634 | HDMI 1635 | 0 1636 | Has all the other features I wanted including a VGA port , HDMI , $T$ and 3 USB ports . 1637 | ethernet 1638 | 0 1639 | Has all the other features I wanted including a VGA port , HDMI , ethernet and 3 $T$ . 1640 | USB ports 1641 | 0 1642 | The only thing I dislike about this laptop are the $T$ found on the bottom of the computer for grip . 1643 | rubber pads 1644 | 2 1645 | It 's a decent computer for the $T$ and hopefully it will last a long time . 1646 | price 1647 | 0 1648 | The nicest part is the low $T$ and ultra quiet operation . 1649 | heat output 1650 | 1 1651 | The nicest part is the low heat output and ultra quiet $T$ . 1652 | operation 1653 | 1 1654 | I will $T$ myself -LRB- because with this model you can you can do it -RRB- later on . 1655 | upgrade the ram 1656 | 1 1657 | The $T$ is 200 dollars down . 1658 | price 1659 | 1 1660 | this Mac Mini does not have a $T$ , and it would seem that its Mac OS 10.9 does not handle external microphones properly . 1661 | built-in mic 1662 | 0 1663 | this Mac Mini does not have a built-in mic , and it would seem that its $T$ does not handle external microphones properly . 1664 | Mac OS 10.9 1665 | 2 1666 | this Mac Mini does not have a built-in mic , and it would seem that its Mac OS 10.9 does not handle $T$ properly . 1667 | external microphones 1668 | 0 1669 | A lot of $T$ and shortcuts on the MBP that I was never exposed to on a normal PC . 1670 | features 1671 | 0 1672 | A lot of features and $T$ on the MBP that I was never exposed to on a normal PC . 1673 | shortcuts 1674 | 0 1675 | Was n't sure if I was going to like it much less love it so I went to a local best buy and played around with the $T$ on a Mac Pro and it was totally unique and different . 1676 | IOS system 1677 | 1 1678 | air has higher $T$ but the fonts are small . 1679 | resolution 1680 | 1 1681 | air has higher resolution but the $T$ are small . 1682 | fonts 1683 | 2 1684 | $T$ with Mac is so much easier , so many cool features . 1685 | working 1686 | 1 1687 | working with Mac is so much easier , so many cool $T$ . 1688 | features 1689 | 1 1690 | I like the $T$ and adjustments . 1691 | brightness 1692 | 1 1693 | I like the brightness and $T$ . 1694 | adjustments 1695 | 1 1696 | I only wish this mac had a $T$ built in . 1697 | CD/DVD player 1698 | 0 1699 | The only thing I miss is that my old Alienware laptop had $T$ . 1700 | backlit keys 1701 | 2 1702 | The only thing I miss are the $T$ and other things that I grew accustomed to after so long . 1703 | "Home/End" type keys 1704 | 0 1705 | So happy with this purchase , I just wish it came with $T$ . 1706 | Microsoft Word 1707 | 0 1708 | It has enough $T$ and speed to run my business with all the flexibility that comes with a laptop . 1709 | memory 1710 | 1 1711 | It has enough memory and $T$ to run my business with all the flexibility that comes with a laptop . 1712 | speed 1713 | 1 1714 | It has enough memory and speed to run my business with all the $T$ that comes with a laptop . 1715 | flexibility 1716 | 1 1717 | The $T$ , the simplicity , the design . . it is lightyears ahead of any PC I have ever owned . 1718 | speed 1719 | 1 1720 | The speed , the $T$ , the design . . it is lightyears ahead of any PC I have ever owned . 1721 | simplicity 1722 | 1 1723 | The speed , the simplicity , the $T$ . . it is lightyears ahead of any PC I have ever owned . 1724 | design 1725 | 1 1726 | The $T$ is excellent , the display is excellent , and downloading apps is a breeze . 1727 | battery life 1728 | 1 1729 | The battery life is excellent , the $T$ is excellent , and downloading apps is a breeze . 1730 | display 1731 | 1 1732 | The battery life is excellent , the display is excellent , and $T$ is a breeze . 1733 | downloading apps 1734 | 1 1735 | The $T$ , the software and the smoothness of the operating system . 1736 | screen 1737 | 1 1738 | The screen , the $T$ and the smoothness of the operating system . 1739 | software 1740 | 1 1741 | The screen , the software and the smoothness of the $T$ . 1742 | operating system 1743 | 1 1744 | i have dropped mine a couple times with only a $T$ covering it . 1745 | slim plastic case 1746 | 0 1747 | I also made a $T$ . 1748 | recovery USB stick 1749 | 0 1750 | But with this laptop , the $T$ is very weak and the sound comes out sounding tinny . 1751 | bass 1752 | 2 1753 | But with this laptop , the bass is very weak and the $T$ comes out sounding tinny . 1754 | sound 1755 | 2 1756 | The $T$ is really good , I was so Happy and excited about this Product . 1757 | built quality 1758 | 1 1759 | I am loving the fast $T$ also . 1760 | performance 1761 | 1 1762 | Further , this Mac Mini has a sloppy $T$ -LRB- courtesy of the Mac OS -RRB- and the range is poor . 1763 | Bluetooth interface 1764 | 2 1765 | Further , this Mac Mini has a sloppy Bluetooth interface -LRB- courtesy of the $T$ -RRB- and the range is poor . 1766 | Mac OS 1767 | 2 1768 | Further , this Mac Mini has a sloppy Bluetooth interface -LRB- courtesy of the Mac OS -RRB- and the $T$ is poor . 1769 | range 1770 | 2 1771 | If you start on the far right side and scroll to your left the $T$ will automatically come up . 1772 | start menu 1773 | 0 1774 | My only gripe would be the need to add more $T$ . 1775 | RAM 1776 | 2 1777 | Fine if you have a $T$ . 1778 | touch screen 1779 | 0 1780 | As far as user type - I dabble in everything from $T$ -LRB- WoW -RRB- to Photoshop , but nothing professionally . 1781 | games 1782 | 0 1783 | As far as user type - I dabble in everything from games -LRB- WoW -RRB- to $T$ , but nothing professionally . 1784 | Photoshop 1785 | 0 1786 | I re-seated the $T$ inside and re-installed the LAN device drivers . 1787 | "WLAN" card 1788 | 0 1789 | I re-seated the `` WLAN '' card inside and re-installed the $T$ . 1790 | LAN device drivers 1791 | 0 1792 | This by far beats any computer out on the market today $T$ well , battery life AMAZING . 1793 | built 1794 | 1 1795 | This by far beats any computer out on the market today built well , $T$ AMAZING . 1796 | battery life 1797 | 1 1798 | The $T$ is easy , and offers all kinds of surprises . 1799 | OS 1800 | 1 1801 | I had to get $T$ to correct the problem . 1802 | Apple Customer Support 1803 | 0 1804 | A veryimportant feature is $T$ which in my experience works better then USB3 -LRB- in PC enabled with USB3 -RRB- I was not originally sold on the MAC OS I felt it was inferior in many ways To Windows 7 . 1805 | Firewire 800 1806 | 1 1807 | A veryimportant feature is Firewire 800 which in my experience works better then $T$ -LRB- in PC enabled with USB3 -RRB- I was not originally sold on the MAC OS I felt it was inferior in many ways To Windows 7 . 1808 | USB3 1809 | 2 1810 | A veryimportant feature is Firewire 800 which in my experience works better then USB3 -LRB- in PC enabled with $T$ -RRB- I was not originally sold on the MAC OS I felt it was inferior in many ways To Windows 7 . 1811 | USB3 1812 | 0 1813 | A veryimportant feature is Firewire 800 which in my experience works better then USB3 -LRB- in PC enabled with USB3 -RRB- I was not originally sold on the $T$ I felt it was inferior in many ways To Windows 7 . 1814 | MAC OS 1815 | 2 1816 | A veryimportant feature is Firewire 800 which in my experience works better then USB3 -LRB- in PC enabled with USB3 -RRB- I was not originally sold on the MAC OS I felt it was inferior in many ways To $T$ . 1817 | Windows 7 1818 | 1 1819 | I like $T$ , the apparent security , the Mini form factor , all the nice graphics stuff . 1820 | iTunes 1821 | 1 1822 | I like iTunes , the apparent $T$ , the Mini form factor , all the nice graphics stuff . 1823 | security 1824 | 1 1825 | I like iTunes , the apparent security , the $T$ , all the nice graphics stuff . 1826 | Mini form factor 1827 | 1 1828 | I like iTunes , the apparent security , the Mini form factor , all the nice $T$ . 1829 | graphics stuff 1830 | 1 1831 | The first time I used the $T$ it took half an hour and a pair of tweezers to remove the card . 1832 | card reader 1833 | 2 1834 | The first time I used the card reader it took half an hour and a pair of tweezers to $T$ . 1835 | remove the card 1836 | 2 1837 | After replacing the $T$ with an ssd drive , my mac is just flying . 1838 | spinning hard disk 1839 | 0 1840 | After replacing the spinning hard disk with an $T$ , my mac is just flying . 1841 | ssd drive 1842 | 1 1843 | I know some people complained about $T$ issues but they released a firmware patch to address that issue . 1844 | HDMI 1845 | 0 1846 | I know some people complained about HDMI issues but they released a $T$ to address that issue . 1847 | firmware patch 1848 | 0 1849 | With the needs of a professional photographer I generally need to keep up with the best $T$ . 1850 | specs 1851 | 0 1852 | $T$ and everything was perfect 1853 | packing 1854 | 1 1855 | I called Toshiba where I gave them the serial number and they informed me that they were having issues with the $T$ . 1856 | mother boards 1857 | 0 1858 | I seem to be having repeat problems as the $T$ in this one is diagnosed as faulty , related to the graphics card . 1859 | Mother Board 1860 | 2 1861 | I seem to be having repeat problems as the Mother Board in this one is diagnosed as faulty , related to the $T$ . 1862 | graphics card 1863 | 2 1864 | It also comes with $T$ but if you 're like me you want to max that out so I immediately put 8G of RAM in her and I 've never used a computer that performs better . 1865 | 4G of RAM 1866 | 0 1867 | It also comes with 4G of RAM but if you 're like me you want to max that out so I immediately put $T$ in her and I 've never used a computer that performs better . 1868 | 8G of RAM 1869 | 0 1870 | It also comes with 4G of RAM but if you 're like me you want to max that out so I immediately put 8G of RAM in her and I 've never used a computer that $T$ better . 1871 | performs 1872 | 1 1873 | This computer is also awesome for my sons $T$ . 1874 | virtual home schooling 1875 | 1 1876 | $T$ is more as compared to other brands . 1877 | Cost 1878 | 2 1879 | also ... - excellent $T$ - size and weight for optimal mobility - excellent durability of the battery - the functions provided by the trackpad is unmatched by any other brand - 1880 | operating system 1881 | 1 1882 | also ... - excellent operating system - $T$ and weight for optimal mobility - excellent durability of the battery - the functions provided by the trackpad is unmatched by any other brand - 1883 | size 1884 | 1 1885 | also ... - excellent operating system - size and $T$ for optimal mobility - excellent durability of the battery - the functions provided by the trackpad is unmatched by any other brand - 1886 | weight 1887 | 1 1888 | also ... - excellent operating system - size and weight for optimal $T$ - excellent durability of the battery - the functions provided by the trackpad is unmatched by any other brand - 1889 | mobility 1890 | 1 1891 | also ... - excellent operating system - size and weight for optimal mobility - excellent $T$ - the functions provided by the trackpad is unmatched by any other brand - 1892 | durability of the battery 1893 | 1 1894 | also ... - excellent operating system - size and weight for optimal mobility - excellent durability of the battery - the $T$ is unmatched by any other brand - 1895 | functions provided by the trackpad 1896 | 1 1897 | This $T$ seems to be better than the iMac in that it is n't $ 1400 and smaller . 1898 | hardware 1899 | 1 1900 | I 've had it for about 2 months now and found no issues with $T$ or updates . 1901 | software 1902 | 0 1903 | I 've had it for about 2 months now and found no issues with software or $T$ . 1904 | updates 1905 | 0 1906 | the latest version does not have a $T$ . 1907 | disc drive 1908 | 0 1909 | $T$ - although some people might complain about low res which I think is ridiculous . 1910 | Screen 1911 | 1 1912 | Screen - although some people might complain about low $T$ which I think is ridiculous . 1913 | res 1914 | 1 1915 | -------------------------------------------------------------------------------- /data/Restaurants_Test_Gold.xml.seg: -------------------------------------------------------------------------------- 1 | The $T$ is top notch as well . 2 | bread 3 | 1 4 | I have to say they have one of the fastest $T$ in the city . 5 | delivery times 6 | 1 7 | $T$ is always fresh and hot - ready to eat ! 8 | Food 9 | 1 10 | Did I mention that the $T$ is OUTSTANDING ? 11 | coffee 12 | 1 13 | Certainly not the best sushi in New York , however , it is always fresh , and the $T$ is very clean , sterile . 14 | place 15 | 1 16 | I trust the $T$ at Go Sushi , it never disappoints . 17 | people 18 | 1 19 | Straight-forward , no surprises , very decent $T$ . 20 | Japanese food 21 | 1 22 | BEST spicy tuna roll , great $T$ . 23 | asian salad 24 | 1 25 | BEST $T$ , great asian salad . 26 | spicy tuna roll 27 | 1 28 | Try the $T$ -LRB- not on menu -RRB- . 29 | rose roll 30 | 1 31 | Try the rose roll -LRB- not on $T$ -RRB- . 32 | menu 33 | 0 34 | I love the $T$ , esp lychee martini , and the food is also VERY good . 35 | drinks 36 | 1 37 | I love the drinks , esp $T$ , and the food is also VERY good . 38 | lychee martini 39 | 1 40 | I love the drinks , esp lychee martini , and the $T$ is also VERY good . 41 | food 42 | 1 43 | In fact , this was not a $T$ and was barely eatable . 44 | Nicoise salad 45 | 2 46 | While there 's a decent $T$ , it should n't take ten minutes to get your drinks and 45 for a dessert pizza . 47 | menu 48 | 1 49 | While there 's a decent menu , it should n't take ten minutes to get your $T$ and 45 for a dessert pizza . 50 | drinks 51 | 0 52 | While there 's a decent menu , it should n't take ten minutes to get your drinks and 45 for a $T$ . 53 | dessert pizza 54 | 0 55 | Once we sailed , the top-notch $T$ and live entertainment sold us on a unforgettable evening . 56 | food 57 | 1 58 | Once we sailed , the top-notch food and $T$ sold us on a unforgettable evening . 59 | live entertainment 60 | 1 61 | Our $T$ was horrible ; so rude and disinterested . 62 | waiter 63 | 2 64 | The $T$ 's - watered down . 65 | sangria 66 | 2 67 | $T$ - uneventful , small . 68 | menu 69 | 2 70 | Anytime and everytime I find myself in the neighborhood I will go to Sushi Rose for fresh $T$ and great portions all at a reasonable price . 71 | sushi 72 | 1 73 | Anytime and everytime I find myself in the neighborhood I will go to Sushi Rose for fresh sushi and great $T$ all at a reasonable price . 74 | portions 75 | 1 76 | Anytime and everytime I find myself in the neighborhood I will go to Sushi Rose for fresh sushi and great portions all at a reasonable $T$ . 77 | price 78 | 1 79 | Great $T$ but the service was dreadful ! 80 | food 81 | 1 82 | Great food but the $T$ was dreadful ! 83 | service 84 | 2 85 | The $T$ that came out were mediocre . 86 | portions of the food 87 | 0 88 | the two $T$ looked like they had been sucking on lemons . 89 | waitress's 90 | 2 91 | From the beginning , we were met by friendly $T$ , and the convienent parking at Chelsea Piers made it easy for us to get to the boat . 92 | staff memebers 93 | 1 94 | From the beginning , we were met by friendly staff memebers , and the convienent $T$ at Chelsea Piers made it easy for us to get to the boat . 95 | parking 96 | 1 97 | We enjoyed ourselves thoroughly and will be going back for the $T$ ... 98 | desserts 99 | 1 100 | $T$ are almost incredible : my personal favorite is their Tart of the Day . 101 | Desserts 102 | 1 103 | Desserts are almost incredible : my personal favorite is their $T$ . 104 | Tart of the Day 105 | 1 106 | The $T$ was extremely tasty , creatively presented and the wine excellent . 107 | food 108 | 1 109 | The food was extremely tasty , creatively presented and the $T$ excellent . 110 | wine 111 | 1 112 | THE $T$ WAS PROBABLY THE BEST I HAVE TASTED . 113 | LASAGNA 114 | 1 115 | Harumi Sushi has the freshest and most delicious $T$ in NYC . 116 | array of sushi 117 | 1 118 | I highly recommend it for not just its superb $T$ , but also for its friendly owners and staff . 119 | cuisine 120 | 1 121 | I highly recommend it for not just its superb cuisine , but also for its friendly $T$ and staff . 122 | owners 123 | 1 124 | I highly recommend it for not just its superb cuisine , but also for its friendly owners and $T$ . 125 | staff 126 | 1 127 | If you 're craving some serious $T$ and desire a cozy ambiance , this is quite and exquisite choice . 128 | indian food 129 | 1 130 | If you 're craving some serious indian food and desire a cozy $T$ , this is quite and exquisite choice . 131 | ambiance 132 | 1 133 | I definitely enjoyed the $T$ as well . 134 | food 135 | 1 136 | It was pleasantly uncrowded , the $T$ was delightful , the garden adorable , the food -LRB- from appetizers to entrees -RRB- was delectable . 137 | service 138 | 1 139 | It was pleasantly uncrowded , the service was delightful , the $T$ adorable , the food -LRB- from appetizers to entrees -RRB- was delectable . 140 | garden 141 | 1 142 | It was pleasantly uncrowded , the service was delightful , the garden adorable , the $T$ -LRB- from appetizers to entrees -RRB- was delectable . 143 | food 144 | 1 145 | It was pleasantly uncrowded , the service was delightful , the garden adorable , the food -LRB- from $T$ to entrees -RRB- was delectable . 146 | appetizers 147 | 1 148 | It was pleasantly uncrowded , the service was delightful , the garden adorable , the food -LRB- from appetizers to $T$ -RRB- was delectable . 149 | entrees 150 | 1 151 | The $T$ is surprisingly good , and the decor is nice . 152 | food 153 | 1 154 | The food is surprisingly good , and the $T$ is nice . 155 | decor 156 | 1 157 | How pretentious and inappropriate for MJ Grill to claim that it provides power $T$ and dinners ! 158 | lunch 159 | 2 160 | How pretentious and inappropriate for MJ Grill to claim that it provides power lunch and $T$ ! 161 | dinners 162 | 2 163 | Two wasted $T$ -- what a crime ! 164 | steaks 165 | 2 166 | The $T$ should be a bit more friendly . 167 | staff 168 | 2 169 | I think the $T$ is good . 170 | meatball parm 171 | 1 172 | If you want good tasting , well seasoned $T$ eat at Cabana and you ca n't go wrong . 173 | latin food 174 | 1 175 | Definitely try the $T$ - it was incredible . 176 | taglierini with truffles 177 | 1 178 | Also , the $T$ is very attentive and really personable . 179 | staff 180 | 1 181 | The $T$ literally melts in your mouth ! 182 | gnocchi 183 | 1 184 | Had a great experience at Trio ... $T$ was pleasant ; food was tasty and large in portion size - I would highly recommend the portobello/gorgonzola/sausage appetizer and the lobster risotto . 185 | staff 186 | 1 187 | Had a great experience at Trio ... staff was pleasant ; $T$ was tasty and large in portion size - I would highly recommend the portobello/gorgonzola/sausage appetizer and the lobster risotto . 188 | food 189 | 1 190 | Had a great experience at Trio ... staff was pleasant ; food was tasty and large in $T$ - I would highly recommend the portobello/gorgonzola/sausage appetizer and the lobster risotto . 191 | portion size 192 | 1 193 | Had a great experience at Trio ... staff was pleasant ; food was tasty and large in portion size - I would highly recommend the $T$ and the lobster risotto . 194 | portobello/gorgonzola/sausage appetizer 195 | 1 196 | Had a great experience at Trio ... staff was pleasant ; food was tasty and large in portion size - I would highly recommend the portobello/gorgonzola/sausage appetizer and the $T$ . 197 | lobster risotto 198 | 1 199 | $T$ include classics like lasagna , fettuccine Alfredo and chicken parmigiana . 200 | Entrees 201 | 0 202 | Entrees include classics like $T$ , fettuccine Alfredo and chicken parmigiana . 203 | lasagna 204 | 0 205 | Entrees include classics like lasagna , $T$ and chicken parmigiana . 206 | fettuccine Alfredo 207 | 0 208 | Entrees include classics like lasagna , fettuccine Alfredo and $T$ . 209 | chicken parmigiana 210 | 0 211 | The $T$ is good , the teriyaki I recommend . 212 | food 213 | 1 214 | The food is good , the $T$ I recommend . 215 | teriyaki 216 | 1 217 | $T$ was very expensive for what you get . 218 | Meal 219 | 2 220 | Try the $T$ and the pizza with soy cheese ! 221 | Peanut Butter Sorbet 222 | 1 223 | Try the Peanut Butter Sorbet and the $T$ ! 224 | pizza with soy cheese 225 | 1 226 | Good $T$ at the right price , what more can you ask for . 227 | food 228 | 1 229 | Good food at the right $T$ , what more can you ask for . 230 | price 231 | 1 232 | The $T$ is top notch , the service is attentive , and the atmosphere is great . 233 | food 234 | 1 235 | The food is top notch , the $T$ is attentive , and the atmosphere is great . 236 | service 237 | 1 238 | The food is top notch , the service is attentive , and the $T$ is great . 239 | atmosphere 240 | 1 241 | Great $T$ , great waitstaff , great atmosphere , and best of all GREAT beer ! 242 | food 243 | 1 244 | Great food , great $T$ , great atmosphere , and best of all GREAT beer ! 245 | waitstaff 246 | 1 247 | Great food , great waitstaff , great $T$ , and best of all GREAT beer ! 248 | atmosphere 249 | 1 250 | Great food , great waitstaff , great atmosphere , and best of all GREAT $T$ ! 251 | beer 252 | 1 253 | this is still one of my most favorite restaurants in the area the $T$ is inexpensive but very good -LRB- kimono shrimp special was excellent -RRB- and has a great atmosphere . 254 | food 255 | 1 256 | this is still one of my most favorite restaurants in the area the food is inexpensive but very good -LRB- $T$ was excellent -RRB- and has a great atmosphere . 257 | kimono shrimp special 258 | 1 259 | this is still one of my most favorite restaurants in the area the food is inexpensive but very good -LRB- kimono shrimp special was excellent -RRB- and has a great $T$ . 260 | atmosphere 261 | 1 262 | The $T$ is interesting and quite reasonably priced . 263 | menu 264 | 1 265 | The menu is interesting and quite reasonably $T$ . 266 | priced 267 | 1 268 | The $T$ was delicious and clearly fresh ingredients were used . 269 | food 270 | 1 271 | The food was delicious and clearly fresh $T$ were used . 272 | ingredients 273 | 1 274 | This made it obvious that the $T$ was n't cooked fresh ; it was obviously made before hand and then reheated . 275 | food 276 | 2 277 | $T$ are excellent here ; you can make a great -LRB- and inexpensive -RRB- meal out of them . 278 | Appetizer 279 | 1 280 | Appetizer are excellent here ; you can make a great -LRB- and inexpensive -RRB- $T$ out of them . 281 | meal 282 | 1 283 | The $T$ are a highlight . 284 | spicy mussels 285 | 1 286 | Also get the $T$ -- best we 've ever had . 287 | Onion Rings 288 | 1 289 | However , being foodies , we were utterly disappointed with the $T$ . 290 | food 291 | 2 292 | Huge $T$ , great and attentive service , and pretty good prices . 293 | portions 294 | 1 295 | Huge portions , great and attentive $T$ , and pretty good prices . 296 | service 297 | 1 298 | Huge portions , great and attentive service , and pretty good $T$ . 299 | prices 300 | 1 301 | I was highly disappointed by their $T$ and food . 302 | service 303 | 2 304 | I was highly disappointed by their service and $T$ . 305 | food 306 | 2 307 | I complained to the $T$ and then to the manager , but the intensity of rudeness from them just went up . 308 | waiter 309 | 2 310 | I complained to the waiter and then to the $T$ , but the intensity of rudeness from them just went up . 311 | manager 312 | 2 313 | The $T$ is great and the milkshakes are even better ! 314 | food 315 | 1 316 | The food is great and the $T$ are even better ! 317 | milkshakes 318 | 1 319 | the $T$ is amazing . 320 | mushroom barley soup 321 | 1 322 | I 'm glad I did as the $T$ was very good and the staff was friendly , courteous and efficient . 323 | food 324 | 1 325 | I 'm glad I did as the food was very good and the $T$ was friendly , courteous and efficient . 326 | staff 327 | 1 328 | Their $T$ here is also absolutely delicious . 329 | duck 330 | 1 331 | While it was large and a bit noisy , the $T$ were fantastic , and the food was superb . 332 | drinks 333 | 1 334 | While it was large and a bit noisy , the drinks were fantastic , and the $T$ was superb . 335 | food 336 | 1 337 | One caveat : Some of the $T$ can be a trifle harsh . 338 | curried casseroles 339 | 2 340 | The $T$ was almost always EXCELLENT . 341 | food 342 | 1 343 | I was pleasently surprised at the $T$ . 344 | taste 345 | 1 346 | A nice space , as long as it does n't get too crowded and a singleminded devotion to its chosen cuisine make Mare a great choice for $T$ lovers . 347 | seafood 348 | 1 349 | A nice space , as long as it does n't get too crowded and a singleminded devotion to its chosen $T$ make Mare a great choice for seafood lovers . 350 | cuisine 351 | 1 352 | I never had an $T$ before so I gave it a shot . 353 | orange donut 354 | 0 355 | they really provide a relaxing , laid-back $T$ . 356 | atmosphere 357 | 1 358 | This particular location certainly uses substandard $T$ . 359 | meats 360 | 2 361 | The $T$ was less than accomodating . 362 | Management 363 | 2 364 | The $T$ is also more laid-back and relaxed . 365 | ambience 366 | 1 367 | the $T$ are great and all the sweets are homemade . 368 | teas 369 | 1 370 | the teas are great and all the $T$ are homemade . 371 | sweets 372 | 1 373 | $T$ and the service are the best part in there 374 | mojitos 375 | 1 376 | mojitos and the $T$ are the best part in there 377 | service 378 | 1 379 | $T$ , burgers and salads , like the lemon-dressed cobb , are classic successes . 380 | Sandwiches 381 | 1 382 | Sandwiches , $T$ and salads , like the lemon-dressed cobb , are classic successes . 383 | burgers 384 | 1 385 | Sandwiches , burgers and $T$ , like the lemon-dressed cobb , are classic successes . 386 | salads 387 | 1 388 | Sandwiches , burgers and salads , like the $T$ , are classic successes . 389 | lemon-dressed cobb 390 | 1 391 | The $T$ is very intimate and romantic . 392 | design 393 | 1 394 | The $T$ was wonderful and imaginative . 395 | food 396 | 1 397 | The $T$ is very sharp and they look good too . 398 | staff 399 | 1 400 | The worst though was the $T$ . 401 | taste 402 | 2 403 | The $T$ we tried was tasteless and burned and the mole sauce was way too sweet . 404 | fajita 405 | 2 406 | The fajita we tried was tasteless and burned and the $T$ was way too sweet . 407 | mole sauce 408 | 2 409 | Stay with the $T$ and you 'll be fine . 410 | roasted chickens 411 | 1 412 | The $T$ is warm , comfortable , artsy and sexy . 413 | atmosphere 414 | 1 415 | The $T$ is great -LRB- big selection , reasonable prices -RRB- and the drinks are really good . 416 | food 417 | 1 418 | The food is great -LRB- big $T$ , reasonable prices -RRB- and the drinks are really good . 419 | selection 420 | 1 421 | The food is great -LRB- big selection , reasonable $T$ -RRB- and the drinks are really good . 422 | prices 423 | 1 424 | The food is great -LRB- big selection , reasonable prices -RRB- and the $T$ are really good . 425 | drinks 426 | 1 427 | The $T$ melted in my mouth . 428 | steak 429 | 1 430 | The food did take a few extra minutes to come , but the cute $T$ ' jokes and friendliness made up for it . 431 | waiters 432 | 1 433 | The $T$ did take a few extra minutes to come , but the cute waiters ' jokes and friendliness made up for it . 434 | food 435 | 0 436 | Most importantly , it is reasonably $T$ . 437 | priced 438 | 1 439 | The $T$ is excellent -LRB- I 'm not used to having much choice at restaurants -RRB- , and the atmosphere is great . 440 | selection of food 441 | 1 442 | The selection of food is excellent -LRB- I 'm not used to having much choice at restaurants -RRB- , and the $T$ is great . 443 | atmosphere 444 | 1 445 | Only suggestion is that you skip the $T$ , it was overpriced and fell short on taste . 446 | dessert 447 | 2 448 | Only suggestion is that you skip the dessert , it was overpriced and fell short on $T$ . 449 | taste 450 | 2 451 | $T$ was decent , but not great . 452 | Food 453 | 1 454 | i dont know what some people who rave about this $T$ are talking about . 455 | hot dog 456 | 2 457 | it is a hidden delight complete with a quaint $T$ and good food . 458 | bar 459 | 1 460 | it is a hidden delight complete with a quaint bar and good $T$ . 461 | food 462 | 1 463 | The $T$ ALWAYS look angry and even ignore their high-tipping regulars . 464 | waiters 465 | 2 466 | the $T$ is very nice , and a welcome escape from the rest of the SI mall . 467 | atmosphere 468 | 1 469 | Yes , they 're a bit more expensive then typical , but then again , so is their $T$ . 470 | food 471 | 1 472 | I can say that the $T$ , burgers and salads were all fresh , tasty and the mango margareta at $ 9 was WELL WORTH the money . 473 | wraps 474 | 1 475 | I can say that the wraps , $T$ and salads were all fresh , tasty and the mango margareta at $ 9 was WELL WORTH the money . 476 | burgers 477 | 1 478 | I can say that the wraps , burgers and $T$ were all fresh , tasty and the mango margareta at $ 9 was WELL WORTH the money . 479 | salads 480 | 1 481 | I can say that the wraps , burgers and salads were all fresh , tasty and the $T$ at $ 9 was WELL WORTH the money . 482 | mango margareta 483 | 1 484 | Anywhere else , the $T$ would be 3x as high ! 485 | prices 486 | 1 487 | The $T$ we experienced was friendly and good . 488 | service 489 | 1 490 | Our $T$ was friendly and it is a shame that he didnt have a supportive staff to work with . 491 | waiter 492 | 1 493 | Our waiter was friendly and it is a shame that he didnt have a supportive $T$ to work with . 494 | staff 495 | 2 496 | The $T$ I was seated at was uncomfortable . 497 | folding chair 498 | 2 499 | $T$ was among the best I have ever had in NYC . 500 | Service 501 | 1 502 | The $T$ was amazing . 503 | fettucino alfredo 504 | 1 505 | The $T$ was very good and I was pleasantly surprised to see so many vegan options . 506 | food 507 | 1 508 | The food was very good and I was pleasantly surprised to see so many $T$ . 509 | vegan options 510 | 1 511 | I know real $T$ and this was n't it . 512 | Indian food 513 | 2 514 | Be sure to try the $T$ ... Lamb Chops , Veal Chops , Rabbit , the potato gratin , on and on and on ... 515 | Smoked Trout 516 | 1 517 | Be sure to try the Smoked Trout ... $T$ , Veal Chops , Rabbit , the potato gratin , on and on and on ... 518 | Lamb Chops 519 | 1 520 | Be sure to try the Smoked Trout ... Lamb Chops , $T$ , Rabbit , the potato gratin , on and on and on ... 521 | Veal Chops 522 | 1 523 | Be sure to try the Smoked Trout ... Lamb Chops , Veal Chops , $T$ , the potato gratin , on and on and on ... 524 | Rabbit 525 | 1 526 | Be sure to try the Smoked Trout ... Lamb Chops , Veal Chops , Rabbit , the $T$ , on and on and on ... 527 | potato gratin 528 | 1 529 | Even when the $T$ is not in the house , the food and service are right on target . 530 | chef 531 | 0 532 | Even when the chef is not in the house , the $T$ and service are right on target . 533 | food 534 | 1 535 | Even when the chef is not in the house , the food and $T$ are right on target . 536 | service 537 | 1 538 | Everything from the $T$ to the mussels and even the hamburger were done well and very tasty . 539 | eggs benedict 540 | 1 541 | Everything from the eggs benedict to the $T$ and even the hamburger were done well and very tasty . 542 | mussels 543 | 1 544 | Everything from the eggs benedict to the mussels and even the $T$ were done well and very tasty . 545 | hamburger 546 | 1 547 | The $T$ were very professional , courteous and attentive . 548 | waiters 549 | 1 550 | The $T$ was rather over cooked and dried but the chicken was fine . 551 | falafal 552 | 2 553 | The falafal was rather over cooked and dried but the $T$ was fine . 554 | chicken 555 | 1 556 | I highly reccomend the $T$ , it 's insanely good . 557 | grand marnier shrimp 558 | 1 559 | We been there and we really enjoy the $T$ , was areally great food , and the service was really good . 560 | food 561 | 1 562 | We been there and we really enjoy the food , was areally great $T$ , and the service was really good . 563 | food 564 | 1 565 | We been there and we really enjoy the food , was areally great food , and the $T$ was really good . 566 | service 567 | 1 568 | $T$ include flan and sopaipillas . 569 | Desserts 570 | 0 571 | Desserts include $T$ and sopaipillas . 572 | flan 573 | 0 574 | Desserts include flan and $T$ . 575 | sopaipillas 576 | 0 577 | I was starving and the small $T$ were driving me crazy ! 578 | portions 579 | 2 580 | The $T$ was loud and inconsiderate . 581 | wait staff 582 | 2 583 | However , the $T$ and service and dramatically lacking . 584 | food 585 | 2 586 | However , the food and $T$ and dramatically lacking . 587 | service 588 | 2 589 | The $T$ is cut in blocks bigger than my cell phone . 590 | sushi 591 | 2 592 | The $T$ is great , my soup always arrives nice and hot . 593 | service 594 | 1 595 | The service is great , my $T$ always arrives nice and hot . 596 | soup 597 | 1 598 | It had been awhile and I forgot just how delicious $T$ can be . 599 | crepes 600 | 1 601 | Montparnasse 's $T$ -- especially the silken creme brulee and paper-thin apple tart -- are good enough on their own to make the restaurant worth the trip . 602 | desserts 603 | 1 604 | Montparnasse 's desserts -- especially the silken $T$ and paper-thin apple tart -- are good enough on their own to make the restaurant worth the trip . 605 | creme brulee 606 | 1 607 | Montparnasse 's desserts -- especially the silken creme brulee and paper-thin $T$ -- are good enough on their own to make the restaurant worth the trip . 608 | apple tart 609 | 1 610 | i had a delicious $T$ . 611 | shrimp creole 612 | 1 613 | The $T$ was real good . 614 | chicken dinner 615 | 1 616 | Beware of the $T$ not unless you want to call the fire department to douse the flames in your mouth . 617 | chili signed food items 618 | 2 619 | The $T$ is designed in a contemporary Japanese style restaurant . 620 | decor 621 | 0 622 | but the $T$ was delicious . 623 | food 624 | 1 625 | Try the ribs , sizzling beef and couple it with $T$ . 626 | coconut rice 627 | 1 628 | Try the $T$ , sizzling beef and couple it with coconut rice . 629 | ribs 630 | 1 631 | Try the ribs , sizzling $T$ and couple it with coconut rice . 632 | beef 633 | 1 634 | The $T$ is a personal fave . 635 | avocado salad 636 | 1 637 | And , the $T$ are yummy ! 638 | honey BBQ rib tips 639 | 1 640 | The BEST $T$ Uptown ! 641 | Chinese food 642 | 1 643 | $T$ is known for bending over backwards to make everyone happy . 644 | Service 645 | 1 646 | The $T$ is very friendly . 647 | staff 648 | 1 649 | $T$ are very friendly and the pasta is out of this world . 650 | Waiters 651 | 1 652 | Waiters are very friendly and the $T$ is out of this world . 653 | pasta 654 | 1 655 | Great $T$ and great cocktail menu . 656 | wine list 657 | 1 658 | Great wine list and great $T$ . 659 | cocktail menu 660 | 1 661 | The $T$ are delicious and the BBQ rib was perfect . 662 | crab cakes 663 | 1 664 | The crab cakes are delicious and the $T$ was perfect . 665 | BBQ rib 666 | 1 667 | The $T$ is wonderful , artfully done and simply delicious . 668 | food 669 | 1 670 | Tiny restaurant with very fast $T$ . 671 | service 672 | 1 673 | My husband and I have been there at least 6 times and we 've always been given the highest $T$ and often free desserts . 674 | service 675 | 1 676 | My husband and I have been there at least 6 times and we 've always been given the highest service and often free $T$ . 677 | desserts 678 | 1 679 | A beautiful $T$ , perfect for drinks and/or appetizers . 680 | atmosphere 681 | 1 682 | A beautiful atmosphere , perfect for $T$ and/or appetizers . 683 | drinks 684 | 0 685 | A beautiful atmosphere , perfect for drinks and/or $T$ . 686 | appetizers 687 | 0 688 | They make the best $T$ in New Jersey . 689 | pizza 690 | 1 691 | What a difference , the $T$ was very comforting and the food was better than average , but what really standed out was such a dynamic and extensive beer list . 692 | service 693 | 1 694 | What a difference , the service was very comforting and the $T$ was better than average , but what really standed out was such a dynamic and extensive beer list . 695 | food 696 | 1 697 | What a difference , the service was very comforting and the food was better than average , but what really standed out was such a dynamic and extensive $T$ . 698 | beer list 699 | 1 700 | Frankly , the $T$ here is something I can make better at home . 701 | chinese food 702 | 2 703 | There was only one $T$ for the whole restaurant upstairs . 704 | waiter 705 | 0 706 | We started with the $T$ and asparagus and also had the soft shell crab as well as the cheese plate . 707 | scallops 708 | 0 709 | We started with the scallops and $T$ and also had the soft shell crab as well as the cheese plate . 710 | asparagus 711 | 0 712 | We started with the scallops and asparagus and also had the $T$ as well as the cheese plate . 713 | soft shell crab 714 | 0 715 | We started with the scallops and asparagus and also had the soft shell crab as well as the $T$ . 716 | cheese plate 717 | 0 718 | Not to be overlooked , the $T$ is excellent . 719 | service 720 | 1 721 | this without question is one of the worst $T$ i have ever had . 722 | hotdogs 723 | 2 724 | The $T$ is unbelievably friendly , and I dream about their Saag gosht ... so good . 725 | staff 726 | 1 727 | The staff is unbelievably friendly , and I dream about their $T$ ... so good . 728 | Saag gosht 729 | 1 730 | I also recommend the $T$ . 731 | garlic knots 732 | 1 733 | Best $T$ I have ever eaten . 734 | Indian food 735 | 1 736 | This place has the best $T$ . 737 | pizza 738 | 1 739 | The $T$ which is sometimes a little too heavy for my taste . 740 | music 741 | 2 742 | The $T$ is excellent and always informative without an air . 743 | service 744 | 1 745 | The $T$ and staff go to great lengths to make you feel comfortable . 746 | owner 747 | 1 748 | The owner and $T$ go to great lengths to make you feel comfortable . 749 | staff 750 | 1 751 | The $T$ is always fresh and yummy and the menu is pretty varied . 752 | sushi 753 | 1 754 | The sushi is always fresh and yummy and the $T$ is pretty varied . 755 | menu 756 | 1 757 | The $T$ was great - sushi was good , but the cooked food amazed us . 758 | food 759 | 1 760 | The food was great - $T$ was good , but the cooked food amazed us . 761 | sushi 762 | 1 763 | The food was great - sushi was good , but the $T$ amazed us . 764 | cooked food 765 | 1 766 | their $T$ are fantastic . 767 | dinner specials 768 | 1 769 | Great $T$ , great drinks , nice dining atmosphere . 770 | food 771 | 1 772 | Great food , great $T$ , nice dining atmosphere . 773 | drinks 774 | 1 775 | Great food , great drinks , nice $T$ . 776 | dining atmosphere 777 | 1 778 | For the $T$ you pay for the food here , you 'd expect it to be at least on par with other Japanese restaurants . 779 | price 780 | 2 781 | For the price you pay for the $T$ here , you 'd expect it to be at least on par with other Japanese restaurants . 782 | food 783 | 2 784 | $T$ was SMALL and below average . 785 | Food portion 786 | 2 787 | Sit back in one of those comfortable $T$ . 788 | chairs 789 | 1 790 | My favs here are the $T$ and the Tostada de Tinga ... 791 | Tacos Pastor 792 | 1 793 | My favs here are the Tacos Pastor and the $T$ ... 794 | Tostada de Tinga 795 | 1 796 | The $T$ and the managers are really nice and the decor is very comfy and laid-back , all the while being trendy . 797 | bartenders 798 | 1 799 | The bartenders and the $T$ are really nice and the decor is very comfy and laid-back , all the while being trendy . 800 | managers 801 | 1 802 | The bartenders and the managers are really nice and the $T$ is very comfy and laid-back , all the while being trendy . 803 | decor 804 | 1 805 | For a savory take on the soup and sandwich meal , try the $T$ . 806 | hot and sour soup 807 | 1 808 | For a savory take on the $T$ , try the hot and sour soup . 809 | soup and sandwich meal 810 | 1 811 | This bar has it all - great $T$ , cool atmosphere , excellent service and delicious food . 812 | drinks 813 | 1 814 | This bar has it all - great drinks , cool $T$ , excellent service and delicious food . 815 | atmosphere 816 | 1 817 | This bar has it all - great drinks , cool atmosphere , excellent $T$ and delicious food . 818 | service 819 | 1 820 | This bar has it all - great drinks , cool atmosphere , excellent service and delicious $T$ . 821 | food 822 | 1 823 | Also , the $T$ is divine . 824 | chick peas with shrimp (appetizer) 825 | 1 826 | Finally , I got sick of the bad $T$ , obnoxious smirks , and snotty back talk . 827 | service 828 | 2 829 | We ordered $T$ which was perfectly cooked and tasted awesome . 830 | lamb 831 | 1 832 | i especially like their $T$ . 833 | soft shell crab sandwich with fries 834 | 1 835 | if you 're looking for authentic $T$ , look no further . 836 | hong kong-style food 837 | 1 838 | good $T$ good wine that 's it . 839 | food 840 | 1 841 | good food good $T$ that 's it . 842 | wine 843 | 1 844 | The $T$ was extremely friendly and pleasant . 845 | staff 846 | 1 847 | While their $T$ is delicious , their Sushi is out of this world . 848 | kitchen food 849 | 1 850 | While their kitchen food is delicious , their $T$ is out of this world . 851 | Sushi 852 | 1 853 | everything is scrumptious , from the excellent $T$ by cute waitresses , to the extremely lush atmosphere . 854 | service 855 | 1 856 | everything is scrumptious , from the excellent service by cute $T$ , to the extremely lush atmosphere . 857 | waitresses 858 | 1 859 | everything is scrumptious , from the excellent service by cute waitresses , to the extremely lush $T$ . 860 | atmosphere 861 | 1 862 | It 's traditional , simple $T$ . 863 | italian food 864 | 1 865 | The $T$ is all-around good , with the rolls usually excellent and the sushi/sashimi not quite on the same level . 866 | food 867 | 1 868 | The food is all-around good , with the $T$ usually excellent and the sushi/sashimi not quite on the same level . 869 | rolls 870 | 1 871 | The food is all-around good , with the rolls usually excellent and the $T$ not quite on the same level . 872 | sushi/sashimi 873 | 0 874 | -LRB- The $T$ is cut a little thinly . 875 | sashimi 876 | 2 877 | Could have had better for 1/3 the $T$ in Chinatown . 878 | price 879 | 2 880 | In addition to great $T$ , DOTP has wonderful breakfast sandwiches that feature , in addition to great things like tator tots and English muffins , a delicious NJ-based pork product know to us Jersey girls and boys as Taylor ham . 881 | hot dogs 882 | 1 883 | In addition to great hot dogs , DOTP has wonderful $T$ that feature , in addition to great things like tator tots and English muffins , a delicious NJ-based pork product know to us Jersey girls and boys as Taylor ham . 884 | breakfast sandwiches 885 | 1 886 | In addition to great hot dogs , DOTP has wonderful breakfast sandwiches that feature , in addition to great things like $T$ and English muffins , a delicious NJ-based pork product know to us Jersey girls and boys as Taylor ham . 887 | tator tots 888 | 1 889 | In addition to great hot dogs , DOTP has wonderful breakfast sandwiches that feature , in addition to great things like tator tots and $T$ , a delicious NJ-based pork product know to us Jersey girls and boys as Taylor ham . 890 | English muffins 891 | 1 892 | In addition to great hot dogs , DOTP has wonderful breakfast sandwiches that feature , in addition to great things like tator tots and English muffins , a delicious NJ-based pork product know to us Jersey girls and boys as $T$ . 893 | Taylor ham 894 | 1 895 | In addition to great hot dogs , DOTP has wonderful breakfast sandwiches that feature , in addition to great things like tator tots and English muffins , a delicious NJ-based $T$ know to us Jersey girls and boys as Taylor ham . 896 | pork product 897 | 1 898 | Well , it happened because of a graceless $T$ and a rude bartender who had us waiting 20 minutes for drinks , and then tells us to chill out . 899 | manager 900 | 2 901 | Well , it happened because of a graceless manager and a rude $T$ who had us waiting 20 minutes for drinks , and then tells us to chill out . 902 | bartender 903 | 2 904 | Well , it happened because of a graceless manager and a rude bartender who had us waiting 20 minutes for $T$ , and then tells us to chill out . 905 | drinks 906 | 0 907 | Well , it happened because of a graceless manager and a rude bartender who had us $T$ 20 minutes for drinks , and then tells us to chill out . 908 | waiting 909 | 2 910 | Not only is the $T$ great , but forming conversation around a table is so easy beacuse the atmosphere can be both romantic and comfortable . 911 | service 912 | 1 913 | Not only is the service great , but forming conversation around a table is so easy beacuse the $T$ can be both romantic and comfortable . 914 | atmosphere 915 | 1 916 | When the dish arrived it was blazing with $T$ , definitely not edible by a human . 917 | green chillis 918 | 2 919 | When the $T$ arrived it was blazing with green chillis , definitely not edible by a human . 920 | dish 921 | 2 922 | The absolute worst $T$ I 've ever experienced and the food was below average -LRB- when they actually gave people the meals they ordered -RRB- . 923 | service 924 | 2 925 | The absolute worst service I 've ever experienced and the $T$ was below average -LRB- when they actually gave people the meals they ordered -RRB- . 926 | food 927 | 2 928 | The absolute worst service I 've ever experienced and the food was below average -LRB- when they actually gave people the $T$ they ordered -RRB- . 929 | meals 930 | 0 931 | It 's about $ 7 for $T$ and they have take-out or dine-in . 932 | lunch 933 | 0 934 | It 's about $ 7 for lunch and they have $T$ or dine-in . 935 | take-out 936 | 0 937 | It 's about $ 7 for lunch and they have take-out or $T$ . 938 | dine-in 939 | 0 940 | Be sure to accompany your $T$ with one of their fresh juice concoctions . 941 | food 942 | 0 943 | Be sure to accompany your food with one of their $T$ . 944 | fresh juice concoctions 945 | 1 946 | The $T$ is great and the prices are reasonable . 947 | food 948 | 1 949 | The food is great and the $T$ are reasonable . 950 | prices 951 | 1 952 | The $T$ is clean , and if you like soul food , then this is the place to be ! 953 | place 954 | 1 955 | The place is clean , and if you like $T$ , then this is the place to be ! 956 | soul food 957 | 1 958 | I had $T$ and a salad . 959 | roast chicken 960 | 0 961 | I had roast chicken and a $T$ . 962 | salad 963 | 0 964 | They have a very good $T$ and good tuna as well . 965 | chicken with avocado 966 | 1 967 | They have a very good chicken with avocado and good $T$ as well . 968 | tuna 969 | 1 970 | But the $T$ were terrible . 971 | meals 972 | 2 973 | My $T$ was completely dried out and on the cold side and the sauce was not very flavorful . 974 | chicken 975 | 2 976 | My chicken was completely dried out and on the cold side and the $T$ was not very flavorful . 977 | sauce 978 | 2 979 | $T$ - have you ever in your life heard of anything so ridiculously wonderful ? 980 | Malted Milk Ball Gelato 981 | 1 982 | Way too much money for such a terrible $T$ . 983 | meal 984 | 2 985 | However , the $T$ is absolutely horrible . 986 | service 987 | 2 988 | A con was the slow $T$ . 989 | bar service 990 | 2 991 | $T$ was also to die for ! 992 | Dessert 993 | 1 994 | BTW , the $T$ is very good . 995 | service 996 | 1 997 | It 's eaten with $T$ and shredded ginger . 998 | black vinegar 999 | 0 1000 | It 's eaten with black vinegar and $T$ . 1001 | shredded ginger 1002 | 0 1003 | The unattractive $T$ made me want to gag , the food was overpriced , there was the most awful disco pop duo performing-and my escargot looked like it might crawl off the plate . 1004 | lighting 1005 | 2 1006 | The unattractive lighting made me want to gag , the $T$ was overpriced , there was the most awful disco pop duo performing-and my escargot looked like it might crawl off the plate . 1007 | food 1008 | 2 1009 | The unattractive lighting made me want to gag , the food was overpriced , there was the most awful $T$ performing-and my escargot looked like it might crawl off the plate . 1010 | disco pop duo 1011 | 2 1012 | The unattractive lighting made me want to gag , the food was overpriced , there was the most awful disco pop duo performing-and my $T$ looked like it might crawl off the plate . 1013 | escargot 1014 | 2 1015 | it is a cozy $T$ to go with a couple of friends . 1016 | place 1017 | 1 1018 | The $T$ is always great , and the owner walks around to make sure you enjoy . 1019 | service 1020 | 1 1021 | The service is always great , and the $T$ walks around to make sure you enjoy . 1022 | owner 1023 | 1 1024 | because the $T$ need SEVERE ATTITUE ADJUSTMENTS . 1025 | waiters 1026 | 2 1027 | the $T$ is delicious and highly recommended . 1028 | food 1029 | 1 1030 | When it came time to take the order the $T$ gave us a hard time , walked away then came back with a paper and pen for us to write down what we wanted ... excuse me but is n't that his job ??? 1031 | waiter 1032 | 2 1033 | Dieters stick to $T$ or indulge in vegetarian platters . 1034 | salads 1035 | 1 1036 | Dieters stick to salads or indulge in $T$ . 1037 | vegetarian platters 1038 | 1 1039 | So for a filling and healthy $T$ give it a go . 1040 | meal 1041 | 1 1042 | Since I cook for a living , I 'm very fussy about the $T$ I eat in restaurants . 1043 | food 1044 | 0 1045 | The $T$ was outstanding . 1046 | service 1047 | 1 1048 | My friends and I stop here for $T$ before hitting the Kips Bay movie theater . 1049 | pizza 1050 | 0 1051 | We always enjoy the $T$ . 1052 | pizza 1053 | 1 1054 | The $T$ is pretty good . 1055 | service 1056 | 1 1057 | Yum , the $T$ is great here . 1058 | chicken 1059 | 1 1060 | The $T$ here was great , a treat from beginning to end . 1061 | food 1062 | 1 1063 | The $T$ and servers are personable and caring . 1064 | host (owner) 1065 | 1 1066 | The host -LRB- owner -RRB- and $T$ are personable and caring . 1067 | servers 1068 | 1 1069 | It 's just everything ... the $T$ , the atmosphere ... the incrediby kind and gracious hostess . 1070 | food 1071 | 1 1072 | It 's just everything ... the food , the $T$ ... the incrediby kind and gracious hostess . 1073 | atmosphere 1074 | 1 1075 | It 's just everything ... the food , the atmosphere ... the incrediby kind and gracious $T$ . 1076 | hostess 1077 | 1 1078 | The $T$ is very good and the service is great . 1079 | food 1080 | 1 1081 | The food is very good and the $T$ is great . 1082 | service 1083 | 1 1084 | I usually get one the $T$ . 1085 | Vietnamese Beef Noodle Soup 1086 | 0 1087 | We were wondering why they were there to make our $T$ miserable ? 1088 | dining experience 1089 | 2 1090 | This place has the best $T$ in New York , hands down . 1091 | Indian food 1092 | 1 1093 | The $T$ are very friendly and helpful and if you frequent they will remember you . 1094 | waiters 1095 | 1 1096 | Intimate but charming $T$ with extremely friendly and attentive service . 1097 | interior 1098 | 1 1099 | Intimate but charming interior with extremely friendly and attentive $T$ . 1100 | service 1101 | 1 1102 | The $T$ was as creative as the decor and both worked . 1103 | food 1104 | 1 1105 | The food was as creative as the $T$ and both worked . 1106 | decor 1107 | 1 1108 | The $T$ is great , with a good selection , and everything that I have tried is absolutely delicious . 1109 | menu 1110 | 1 1111 | The menu is great , with a good $T$ , and everything that I have tried is absolutely delicious . 1112 | selection 1113 | 1 1114 | The $T$ is zesty and flavorful and the crust is nice and crispy . 1115 | sauce 1116 | 1 1117 | The sauce is zesty and flavorful and the $T$ is nice and crispy . 1118 | crust 1119 | 1 1120 | This place has the best $T$ in the city . 1121 | sushi 1122 | 1 1123 | They have an excellent $T$ -LRB- the rolls with crab are really great -RRB- . 1124 | selection 1125 | 1 1126 | They have an excellent selection -LRB- the $T$ are really great -RRB- . 1127 | rolls with crab 1128 | 1 1129 | Everyone who works there -LRB- the $T$ , the bartender , the servers -RRB- is so helpful . 1130 | host 1131 | 1 1132 | Everyone who works there -LRB- the host , the $T$ , the servers -RRB- is so helpful . 1133 | bartender 1134 | 1 1135 | Everyone who works there -LRB- the host , the bartender , the $T$ -RRB- is so helpful . 1136 | servers 1137 | 1 1138 | And the $T$ is fantastic . 1139 | food 1140 | 1 1141 | Favourites include : $T$ and the lamb . 1142 | potato spinach gnocchi 1143 | 1 1144 | Favourites include : potato spinach gnocchi and the $T$ . 1145 | lamb 1146 | 1 1147 | Unfortunately , we chose this spot for $T$ as we had done a lot of walking and ended up at the South St Seaport . 1148 | lunch 1149 | 0 1150 | But regulars know that the $T$ are the real star here . 1151 | sandwiches 1152 | 1 1153 | The skillfully chosen Portuguese cheese cart paired with quality $T$ provides the perfect Iberian ending . 1154 | port 1155 | 1 1156 | The skillfully chosen $T$ paired with quality port provides the perfect Iberian ending . 1157 | Portuguese cheese cart 1158 | 1 1159 | My friend had a $T$ and I had these wonderful blueberry pancakes . 1160 | burger 1161 | 0 1162 | My friend had a burger and I had these wonderful $T$ . 1163 | blueberry pancakes 1164 | 1 1165 | We were so happy with our $T$ and were even more thrilled when we saw the bill . 1166 | food 1167 | 1 1168 | We were so happy with our food and were even more thrilled when we saw the $T$ . 1169 | bill 1170 | 1 1171 | All $T$ are so fresh you 'd think they had their own vegetable garden and the crust is so perfect , that one actually thinks of how it was made . 1172 | toppings 1173 | 1 1174 | All toppings are so fresh you 'd think they had their own vegetable garden and the $T$ is so perfect , that one actually thinks of how it was made . 1175 | crust 1176 | 1 1177 | We 've always gotten amazing $T$ and we love the food . 1178 | service 1179 | 1 1180 | We 've always gotten amazing service and we love the $T$ . 1181 | food 1182 | 1 1183 | The $T$ is solicitous and friendly and always seems glad to see us , and the food is wonderful , if not stunningly creative . 1184 | waitstaff 1185 | 1 1186 | The waitstaff is solicitous and friendly and always seems glad to see us , and the $T$ is wonderful , if not stunningly creative . 1187 | food 1188 | 1 1189 | I 'm in love with the $T$ ! 1190 | lobster ravioli 1191 | 1 1192 | We came across this restaurant by accident while at a DUMBO art festival and thoroughly enjoyed our $T$ . 1193 | meal 1194 | 1 1195 | $T$ is excellent , no wait , and you get a lot for the price . 1196 | Service 1197 | 1 1198 | Service is excellent , no wait , and you get a lot for the $T$ . 1199 | price 1200 | 1 1201 | Service is excellent , no $T$ , and you get a lot for the price . 1202 | wait 1203 | 1 1204 | I thought the $T$ is n't cheap at all compared to Chinatown . 1205 | food 1206 | 2 1207 | $T$ is a better deal than overpriced Cosi sandwiches . 1208 | Coffee 1209 | 1 1210 | Coffee is a better deal than overpriced $T$ . 1211 | Cosi sandwiches 1212 | 2 1213 | We did n't know if we should order a $T$ or leave ? 1214 | drink 1215 | 0 1216 | -RRB- It 's not the best Japanese restaurant in the East Village , but it 's a pretty solid one for its modest $T$ , and worth repeat visits . 1217 | prices 1218 | 1 1219 | The $T$ is so good and so popular that waiting can really be a nightmare . 1220 | food 1221 | 1 1222 | The food is so good and so popular that $T$ can really be a nightmare . 1223 | waiting 1224 | 2 1225 | First walking in the $T$ seemed to have great ambience . 1226 | place 1227 | 1 1228 | First walking in the place seemed to have great $T$ . 1229 | ambience 1230 | 1 1231 | I went to Kitchenette this weekend for $T$ . 1232 | brunch 1233 | 0 1234 | Even for two very hungry people there is plenty of $T$ left to be taken home -LRB- it reheats really well also -RRB- . 1235 | food 1236 | 1 1237 | Then they somehow made a dry and burnt $T$ , around a raw and cold inside . 1238 | crust 1239 | 2 1240 | It 's just good $T$ , nothing more and that 's all we want ! 1241 | food 1242 | 1 1243 | Average $T$ thats been courted by a LOT of hype . 1244 | cake 1245 | 2 1246 | My wife and I recently visited the bistro for $T$ and had a wonderful experience . 1247 | dinner 1248 | 0 1249 | THE $T$ IS PERFECT TOO NOTHING WRONG IN THIS ITALIAN/FRENCH RESTAURANT 1250 | SERVICE 1251 | 1 1252 | The $ 72 $T$ had to be sent back because it was not cooked to order . 1253 | Delmonico steak 1254 | 2 1255 | Everytime I go there I ca n't pick anything to eat and not because the $T$ is filled with great things to eat . 1256 | menu 1257 | 2 1258 | Half a chicken with a mountain of $T$ and beans for $ 6.25 . 1259 | rice 1260 | 0 1261 | Half a chicken with a mountain of rice and $T$ for $ 6.25 . 1262 | beans 1263 | 0 1264 | Half a $T$ with a mountain of rice and beans for $ 6.25 . 1265 | chicken 1266 | 0 1267 | The $T$ is really fast and friendly , and the value is great . 1268 | service 1269 | 1 1270 | The service is really fast and friendly , and the $T$ is great . 1271 | value 1272 | 1 1273 | We were very impressed with the $T$ and value . 1274 | food 1275 | 1 1276 | We were very impressed with the food and $T$ . 1277 | value 1278 | 1 1279 | You must try the $T$ ! 1280 | garlic soup 1281 | 1 1282 | Casablanca servces delicious $T$ , tabouleh , humus and other Mediterranean delights , which are all very inexpensive . 1283 | falafel 1284 | 1 1285 | Casablanca servces delicious falafel , $T$ , humus and other Mediterranean delights , which are all very inexpensive . 1286 | tabouleh 1287 | 1 1288 | Casablanca servces delicious falafel , tabouleh , $T$ and other Mediterranean delights , which are all very inexpensive . 1289 | humus 1290 | 1 1291 | Casablanca servces delicious falafel , tabouleh , humus and other $T$ , which are all very inexpensive . 1292 | Mediterranean delights 1293 | 1 1294 | The $T$ are made fresh , crispy , and ready to serve . 1295 | pizza's 1296 | 1 1297 | $T$ is accomodating make sure you are satified . 1298 | Staff 1299 | 1 1300 | $T$ Waldy 's always measures up . 1301 | Chef 1302 | 1 1303 | Reasonably priced with very fresh $T$ . 1304 | sushi 1305 | 1 1306 | Reasonably $T$ with very fresh sushi . 1307 | priced 1308 | 1 1309 | Go for the $T$ . 1310 | Seafood Paella for two 1311 | 1 1312 | All of the $T$ are good and the Sangria is very good . 1313 | apetizers 1314 | 1 1315 | All of the apetizers are good and the $T$ is very good . 1316 | Sangria 1317 | 1 1318 | The one positive thing I can say is that the $T$ was prompt , we got seated right away and the server was very friendly . 1319 | service 1320 | 1 1321 | The one positive thing I can say is that the service was prompt , we got seated right away and the $T$ was very friendly . 1322 | server 1323 | 1 1324 | The $T$ greeted me warmly at the door and I was seated promptly and the food was excellent . 1325 | staff 1326 | 1 1327 | The staff greeted me warmly at the door and I was seated promptly and the $T$ was excellent . 1328 | food 1329 | 1 1330 | $T$ is usually pretty good . 1331 | Service 1332 | 1 1333 | $T$ and Hostess was quite rude . 1334 | Host 1335 | 2 1336 | Host and $T$ was quite rude . 1337 | Hostess 1338 | 2 1339 | the $T$ is very friendly , if your not rude or picky ... our meal at Leon last weekend was great - . 1340 | wait staff 1341 | 1 1342 | the wait staff is very friendly , if your not rude or picky ... our $T$ at Leon last weekend was great - . 1343 | meal 1344 | 1 1345 | I recommend any of their $T$ ... 1346 | salmon dishes 1347 | 1 1348 | The $T$ was sweet and luscious . 1349 | foie gras 1350 | 1 1351 | The $T$ , which changes seasonally , shows both regional and international influences . 1352 | menu 1353 | 0 1354 | but their $T$ was YUMMY ! 1355 | mac cheese 1356 | 1 1357 | their $T$ had something for everyone . 1358 | brunch menu 1359 | 1 1360 | $T$ had a nice voice + she made us all get up to dance to shake some cals to eat some more . 1361 | jazz singer 1362 | 1 1363 | They have very quick $T$ which is great when you don't have much time . 1364 | service 1365 | 1 1366 | The $T$ is average : breakfast food , soups , salads , sandwiches , etc. . 1367 | food 1368 | 0 1369 | The food is average : $T$ , soups , salads , sandwiches , etc. . 1370 | breakfast food 1371 | 0 1372 | The food is average : breakfast food , $T$ , salads , sandwiches , etc. . 1373 | soups 1374 | 0 1375 | The food is average : breakfast food , soups , $T$ , sandwiches , etc. . 1376 | salads 1377 | 0 1378 | The food is average : breakfast food , soups , salads , $T$ , etc. . 1379 | sandwiches 1380 | 0 1381 | I WAS HIGHLY DISAPPOINTED BY THE $T$ . 1382 | FOOD 1383 | 2 1384 | THE $T$ THEY SERVE HAS NEVER SEEN AN OVEN , THE CRABCAKES ARE WAY OVER SALTED AND DO N'T GET ME STARTED ON THE VERY GREASY MAC AND CHEESE . 1385 | BANANA PUDDING 1386 | 2 1387 | THE BANANA PUDDING THEY SERVE HAS NEVER SEEN AN OVEN , THE $T$ ARE WAY OVER SALTED AND DO N'T GET ME STARTED ON THE VERY GREASY MAC AND CHEESE . 1388 | CRABCAKES 1389 | 2 1390 | THE BANANA PUDDING THEY SERVE HAS NEVER SEEN AN OVEN , THE CRABCAKES ARE WAY OVER SALTED AND DO N'T GET ME STARTED ON THE VERY GREASY $T$ . 1391 | MAC AND CHEESE 1392 | 2 1393 | The $T$ is arrogant , the prices are way high for Brooklyn . 1394 | staff 1395 | 2 1396 | The staff is arrogant , the $T$ are way high for Brooklyn . 1397 | prices 1398 | 2 1399 | the $T$ is prompt friendly . 1400 | service 1401 | 1 1402 | This is literally a hot spot when it comes to the $T$ . 1403 | food 1404 | 1 1405 | The $T$ is very cool and chill ... 1406 | downstairs bar scene 1407 | 1 1408 | The $T$ was definitely good , but when all was said and done , I just could n't justify it for the price -LRB- including 2 drinks , $ 100/person -RRB- ... 1409 | food 1410 | 1 1411 | The food was definitely good , but when all was said and done , I just could n't justify it for the $T$ -LRB- including 2 drinks , $ 100/person -RRB- ... 1412 | price 1413 | 2 1414 | The food was definitely good , but when all was said and done , I just could n't justify it for the price -LRB- including 2 $T$ , $ 100/person -RRB- ... 1415 | drinks 1416 | 0 1417 | I 've come here for $T$ as well as for a friend 's birthday and I always enjoy myself . 1418 | casual lunches 1419 | 0 1420 | If you are a $T$ fan you will not be disappointed . 1421 | Tequila 1422 | 1 1423 | Great $T$ too , something like 50 beers . 1424 | beer selection 1425 | 1 1426 | Great beer selection too , something like 50 $T$ . 1427 | beers 1428 | 0 1429 | Not to sound too negative but be wary of the $T$ . 1430 | delivary 1431 | 2 1432 | I found the $T$ to be just as good as its owner , Da Silvano , just much less expensive . 1433 | food 1434 | 1 1435 | I found the food to be just as good as its $T$ , Da Silvano , just much less expensive . 1436 | owner 1437 | 1 1438 | They have $T$ of all kinds -- I recommend the gnocchi -- yum ! 1439 | homemade pastas 1440 | 1 1441 | They have homemade pastas of all kinds -- I recommend the $T$ -- yum ! 1442 | gnocchi 1443 | 1 1444 | My $T$ was burnt , and infused totally in a burnt flavor . 1445 | vegetable risotto 1446 | 2 1447 | My vegetable risotto was burnt , and infused totally in a burnt $T$ . 1448 | flavor 1449 | 2 1450 | The main draw of this place is the $T$ . 1451 | price 1452 | 1 1453 | How can hope to stay in business with $T$ like this ? 1454 | service 1455 | 2 1456 | But $T$ here is never disappointing , even if the prices are a bit over the top . 1457 | dinner 1458 | 1 1459 | But dinner here is never disappointing , even if the $T$ are a bit over the top . 1460 | prices 1461 | 2 1462 | Not only did they have amazing , $T$ , soup , pizza etc , but their homemade sorbets are out of this world ! 1463 | sandwiches 1464 | 1 1465 | Not only did they have amazing , sandwiches , $T$ , pizza etc , but their homemade sorbets are out of this world ! 1466 | soup 1467 | 1 1468 | Not only did they have amazing , sandwiches , soup , $T$ etc , but their homemade sorbets are out of this world ! 1469 | pizza 1470 | 1 1471 | Not only did they have amazing , sandwiches , soup , pizza etc , but their $T$ are out of this world ! 1472 | homemade sorbets 1473 | 1 1474 | the $T$ , the unbelievable entree , and thee most amazing deserts . 1475 | homemade Guacamole 1476 | 1 1477 | the homemade Guacamole , the unbelievable $T$ , and thee most amazing deserts . 1478 | entree 1479 | 1 1480 | the homemade Guacamole , the unbelievable entree , and thee most amazing $T$ . 1481 | deserts 1482 | 1 1483 | The $T$ is reasonably priced and fresh . 1484 | sushi 1485 | 1 1486 | The sushi is reasonably $T$ and fresh . 1487 | priced 1488 | 1 1489 | Save room for $T$ - they 're to die for . 1490 | deserts 1491 | 1 1492 | Best things to order are from the $T$ -LRB- Churrasco and Ribs -RRB- . 1493 | grill 1494 | 1 1495 | Best things to order are from the grill -LRB- $T$ and Ribs -RRB- . 1496 | Churrasco 1497 | 1 1498 | Best things to order are from the grill -LRB- Churrasco and $T$ -RRB- . 1499 | Ribs 1500 | 1 1501 | The $T$ are great - cheap and served in a cozy setting . 1502 | traditional Italian items 1503 | 1 1504 | The traditional Italian items are great - cheap and served in a cozy $T$ . 1505 | setting 1506 | 1 1507 | The traditional Italian items are great - cheap and $T$ in a cozy setting . 1508 | served 1509 | 1 1510 | Whether your choose the $T$ or the hot white mocha you are sure to be extremely happy . 1511 | iced blended mocha 1512 | 1 1513 | Whether your choose the iced blended mocha or the $T$ you are sure to be extremely happy . 1514 | hot white mocha 1515 | 1 1516 | last Tuesday for a $T$ with a friend . 1517 | late lunch 1518 | 0 1519 | Another friend had to ask 3 times for $T$ . 1520 | parmesan cheese 1521 | 0 1522 | Our $T$ had apparently never tried any of the food , and there was no one to recommend any wine . 1523 | waitress 1524 | 2 1525 | Our waitress had apparently never tried any of the $T$ , and there was no one to recommend any wine . 1526 | food 1527 | 0 1528 | Our waitress had apparently never tried any of the food , and there was no one to recommend any $T$ . 1529 | wine 1530 | 0 1531 | The $T$ was a bit slow and the portions are a bit small so if you are hungry and in a rush , this is not the place for you . 1532 | service 1533 | 2 1534 | The service was a bit slow and the $T$ are a bit small so if you are hungry and in a rush , this is not the place for you . 1535 | portions 1536 | 2 1537 | The unfortunate lady next to us thought she had ordered a $T$ -LRB- including asking for salad dressing -RRB- and was instead given a quesedilla . 1538 | salad 1539 | 0 1540 | The unfortunate lady next to us thought she had ordered a salad -LRB- including asking for $T$ -RRB- and was instead given a quesedilla . 1541 | salad dressing 1542 | 0 1543 | The unfortunate lady next to us thought she had ordered a salad -LRB- including asking for salad dressing -RRB- and was instead given a $T$ . 1544 | quesedilla 1545 | 0 1546 | El Nidos one of the best restaurants in New York which I 've ever been to , has a great variety of tasty , mouth watering $T$ . 1547 | pizza's 1548 | 1 1549 | The $T$ was pretty poor all around , the food was well below average relative to the cost , and outside there is a crazy bum who harasses every customer who leaves the place . 1550 | service 1551 | 2 1552 | The service was pretty poor all around , the $T$ was well below average relative to the cost , and outside there is a crazy bum who harasses every customer who leaves the place . 1553 | food 1554 | 2 1555 | The service was pretty poor all around , the food was well below average relative to the $T$ , and outside there is a crazy bum who harasses every customer who leaves the place . 1556 | cost 1557 | 2 1558 | Although I moved uptown I try to stop in as often as possible for the GREAT cheap $T$ and to pay the friendly staff a visit . 1559 | food 1560 | 1 1561 | Although I moved uptown I try to stop in as often as possible for the GREAT cheap food and to pay the friendly $T$ a visit . 1562 | staff 1563 | 1 1564 | I had to wait for my friend at the $T$ for a few minutes 1565 | bar 1566 | 0 1567 | $T$ Vincenzo , always there if you need him , is a real talent and a real Roman . 1568 | Chef 1569 | 1 1570 | If you 're looking to taste some great $T$ and want good service , definitely visit Curry Leaf . 1571 | Indian food 1572 | 1 1573 | If you 're looking to taste some great Indian food and want good $T$ , definitely visit Curry Leaf . 1574 | service 1575 | 1 1576 | You must try $T$ or Rabbit stew ; salads-all good ; and kompot is soo refreshing during the hot summer day -LRB- they make it the way my mom does , reminds me of home a lot -RRB- . 1577 | Odessa stew 1578 | 1 1579 | You must try Odessa stew or $T$ ; salads-all good ; and kompot is soo refreshing during the hot summer day -LRB- they make it the way my mom does , reminds me of home a lot -RRB- . 1580 | Rabbit stew 1581 | 1 1582 | You must try Odessa stew or Rabbit stew ; $T$ - all good ; and kompot is soo refreshing during the hot summer day -LRB- they make it the way my mom does , reminds me of home a lot -RRB- . 1583 | salads 1584 | 1 1585 | You must try Odessa stew or Rabbit stew ; salads-all good ; and $T$ is soo refreshing during the hot summer day -LRB- they make it the way my mom does , reminds me of home a lot -RRB- . 1586 | kompot 1587 | 1 1588 | My daughter and I left feeling satisfied -LRB- not stuffed -RRB- and it felt good to know we had a healthy $T$ . 1589 | lunch 1590 | 1 1591 | When she complained , the $T$ said , Sorry . 1592 | waitress 1593 | 0 1594 | The $T$ was on par with your local grocery store . 1595 | quality of the meat 1596 | 2 1597 | They specialize in $T$ and fresh juices . 1598 | smoothies 1599 | 1 1600 | They specialize in smoothies and $T$ . 1601 | fresh juices 1602 | 1 1603 | I recommend the $T$ , it was the best dish of the evening . 1604 | black roasted codfish 1605 | 1 1606 | I recommend the black roasted codfish , it was the best $T$ of the evening . 1607 | dish 1608 | 1 1609 | The manager then told us we could order from whatever menu we wanted but by that time we were so annoyed with the $T$ and the resturant that we let and went some place else . 1610 | waiter 1611 | 2 1612 | The manager then told us we could order from whatever $T$ we wanted but by that time we were so annoyed with the waiter and the resturant that we let and went some place else . 1613 | menu 1614 | 0 1615 | The $T$ then told us we could order from whatever menu we wanted but by that time we were so annoyed with the waiter and the resturant that we let and went some place else . 1616 | manager 1617 | 0 1618 | In mi burrito , here was nothing but dark chicken that had that cooked last week and just warmed up in a microwave $T$ . 1619 | taste 1620 | 2 1621 | In mi burrito , here was nothing but dark $T$ that had that cooked last week and just warmed up in a microwave taste . 1622 | chicken 1623 | 2 1624 | during busy hrs , i recommend that you make a $T$ . 1625 | reservation 1626 | 0 1627 | I went to Common Stock for $T$ and I was so impressed . 1628 | brunch 1629 | 0 1630 | now called nikki sushi , $T$ is OK . 1631 | sushi 1632 | 0 1633 | The $T$ is also outstanding and is served quite quickly . 1634 | food 1635 | 1 1636 | The food is also outstanding and is $T$ quite quickly . 1637 | served 1638 | 1 1639 | From the $T$ to the mostarda on the cheese plate , the dishes at this restaurant are all handled with delicate care . 1640 | erbazzone emiliana 1641 | 1 1642 | From the erbazzone emiliana to the $T$ , the dishes at this restaurant are all handled with delicate care . 1643 | mostarda on the cheese plate 1644 | 1 1645 | From the erbazzone emiliana to the mostarda on the cheese plate , the $T$ at this restaurant are all handled with delicate care . 1646 | dishes 1647 | 1 1648 | The $T$ is delicious and the bar has a great vibe . 1649 | food 1650 | 1 1651 | The food is delicious and the $T$ has a great vibe . 1652 | bar 1653 | 1 1654 | The food is delicious and the bar has a great $T$ . 1655 | vibe 1656 | 1 1657 | There 's $T$ and music . 1658 | candlelight 1659 | 0 1660 | There 's candlelight and $T$ . 1661 | music 1662 | 0 1663 | Simple healthy unglamorous $T$ cheap . 1664 | food 1665 | 1 1666 | It was such a fantastic $T$ , that I returned again the same week . 1667 | dining experience 1668 | 1 1669 | To be fair , the $T$ still is good and the service is quick and attentative even though its usually very busy . 1670 | food 1671 | 1 1672 | To be fair , the food still is good and the $T$ is quick and attentative even though its usually very busy . 1673 | service 1674 | 1 1675 | The $T$ is absolutely adorable and the food is delicious . 1676 | place 1677 | 1 1678 | The place is absolutely adorable and the $T$ is delicious . 1679 | food 1680 | 1 1681 | I ordered the $T$ and my husband got Garlic Shrimp . 1682 | Chicken Teriyaki 1683 | 0 1684 | I ordered the Chicken Teriyaki and my husband got $T$ . 1685 | Garlic Shrimp 1686 | 0 1687 | I 've had better $T$ at a mall food court . 1688 | Japanese food 1689 | 2 1690 | The $T$ are extremely friendly and even replaced my drink once when I dropped it outside . 1691 | staff members 1692 | 1 1693 | The staff members are extremely friendly and even replaced my $T$ once when I dropped it outside . 1694 | drink 1695 | 0 1696 | Cool $T$ but such a let down . 1697 | atmosphere 1698 | 1 1699 | The $T$ are big enough to appease most people , but I did n't like the fact they used artifical lobster meat . 1700 | Sashimi portion 1701 | 1 1702 | The Sashimi portion are big enough to appease most people , but I did n't like the fact they used $T$ . 1703 | artifical lobster meat 1704 | 2 1705 | They have $T$ made with really fresh and yummy ingredients . 1706 | wheat crusted pizza 1707 | 1 1708 | They have wheat crusted pizza made with really fresh and yummy $T$ . 1709 | ingredients 1710 | 1 1711 | Had a lovely $T$ in this dedicated seafood joint , food was well-prepared and - presented and the service was pleasant and prompt . 1712 | dinner 1713 | 1 1714 | Had a lovely dinner in this dedicated seafood joint , $T$ was well-prepared and - presented and the service was pleasant and prompt . 1715 | food 1716 | 1 1717 | Had a lovely dinner in this dedicated seafood joint , food was well-prepared and - presented and the $T$ was pleasant and prompt . 1718 | service 1719 | 1 1720 | the icing MADE this $T$ , it was fluffy , not ultra sweet , creamy and light . 1721 | cake 1722 | 1 1723 | Finally let into the store 5 at a time , to buy expensive slices from a harried $T$ . 1724 | staff 1725 | 2 1726 | Finally let into the store 5 at a time , to buy expensive $T$ from a harried staff . 1727 | slices 1728 | 2 1729 | We ended up having to just leave because we were essentially being ignored by the $T$ -- even though the rest of the restaurant was largely empty . 1730 | wait staff 1731 | 2 1732 | The $T$ is extensive , well priced and covers alot of regions . 1733 | wine list 1734 | 1 1735 | The wine list is extensive , well $T$ and covers alot of regions . 1736 | priced 1737 | 1 1738 | Go here if you want fresh and tasty $T$ of any type you can imagine . 1739 | salads 1740 | 1 1741 | Everything about this place is adorable - even the $T$ ! 1742 | bathroom 1743 | 1 1744 | Speedy $T$ , great food , decent prices , and friendly service combine to ensure an enjoyable repast . 1745 | delivers 1746 | 1 1747 | Speedy delivers , great $T$ , decent prices , and friendly service combine to ensure an enjoyable repast . 1748 | food 1749 | 1 1750 | Speedy delivers , great food , decent $T$ , and friendly service combine to ensure an enjoyable repast . 1751 | prices 1752 | 1 1753 | Speedy delivers , great food , decent prices , and friendly $T$ combine to ensure an enjoyable repast . 1754 | service 1755 | 1 1756 | Speedy delivers , great food , decent prices , and friendly service combine to ensure an enjoyable $T$ . 1757 | repast 1758 | 1 1759 | THEY HAVE $T$ ON THE SIDEWALK TRYING TO PULL YOU IN WHICH MADE US SUSPICIOUS . 1760 | WAITERS 1761 | 0 1762 | IT WAS OUR ONLY OPPORTUNITY TO VISIT AND WANTED AN AUTHENTIC $T$ . 1763 | ITALIAN MEAL 1764 | 0 1765 | It took 100 years for Parisi to get around to making $T$ -LRB- at least I don't think they ever made it before this year -RRB- ... but it was worth the wait . 1766 | pizza 1767 | 1 1768 | I asked for a simple medium rare $T$ . 1769 | steak 1770 | 0 1771 | Generously garnished , $T$ are the most popular dish , but the Jerusalem market-style falafel wraps and Mediterranean salads -- layered with beets , goat cheese and walnuts -- are equally scrumptious . 1772 | organic grilled burgers 1773 | 1 1774 | Generously garnished , organic grilled burgers are the most popular $T$ , but the Jerusalem market-style falafel wraps and Mediterranean salads -- layered with beets , goat cheese and walnuts -- are equally scrumptious . 1775 | dish 1776 | 1 1777 | Generously garnished , organic grilled burgers are the most popular dish , but the $T$ and Mediterranean salads -- layered with beets , goat cheese and walnuts -- are equally scrumptious . 1778 | Jerusalem market-style falafel wraps 1779 | 1 1780 | Generously garnished , organic grilled burgers are the most popular dish , but the Jerusalem market-style falafel wraps and $T$ -- are equally scrumptious . 1781 | Mediterranean salads--layered with beets, goat cheese and walnuts 1782 | 1 1783 | Probably my worst $T$ in new york , and I 'm a former waiter so I know what I 'm talking about . 1784 | dining experience 1785 | 2 1786 | Probably my worst dining experience in new york , and I 'm a former $T$ so I know what I 'm talking about . 1787 | waiter 1788 | 0 1789 | Result -LRB- red velvet -RRB- : Great $T$ , soft and velvety , nice hint of cocoa . 1790 | texture 1791 | 1 1792 | Result -LRB- red velvet -RRB- : Great texture , soft and velvety , nice $T$ . 1793 | hint of cocoa 1794 | 1 1795 | Ask for the $T$ . 1796 | round corner table next to the large window 1797 | 1 1798 | Their twist on pizza is heatlhy , but full of $T$ . 1799 | flavor 1800 | 1 1801 | Their $T$ is heatlhy , but full of flavor . 1802 | twist on pizza 1803 | 1 1804 | The lack of $T$ and the fact that there are a million swarming bodies -LRB- although everyone is polite and no one is pushing -RRB- is a slight turn off . 1805 | AC 1806 | 2 1807 | I love the Little Pie Company as much as anyone else who has written reviews , but must discourage anyone from visiting the Grand Central location due to their RUDE $T$ from two sales people . 1808 | service 1809 | 2 1810 | I love the Little Pie Company as much as anyone else who has written reviews , but must discourage anyone from visiting the Grand Central location due to their RUDE service from two $T$ . 1811 | sales people 1812 | 2 1813 | Unfortunately , unless you live in the neighborhood , it 's not in a convenient $T$ but is more like a hidden treasure . 1814 | location 1815 | 2 1816 | Did n't seem like any effort was made to the $T$ . 1817 | display and quality of the food 1818 | 2 1819 | The $T$ -- though mostly deep-fried -- is simple and satisfying . 1820 | food 1821 | 1 1822 | Glechik might be way too tiny for a restaurant by Russian standards , but it is cozy and the $T$ is simply GREAT . 1823 | food 1824 | 1 1825 | The $T$ was excellent - authentic Italian cuisine made absolutely fresh . 1826 | food 1827 | 1 1828 | The food was excellent - authentic $T$ made absolutely fresh . 1829 | Italian cuisine 1830 | 1 1831 | At night the $T$ changes turning into this hidden jewel that is waiting to be discovered . 1832 | atmoshere 1833 | 1 1834 | The other times I 've gone it 's romantic date heaven , you can walk in get a $T$ , be treated like a VIP in a not-crowded place , with great food and service . 1835 | booth by the windows 1836 | 0 1837 | The other times I 've gone it 's romantic date heaven , you can walk in get a booth by the windows , be treated like a VIP in a not-crowded $T$ , with great food and service . 1838 | place 1839 | 1 1840 | The other times I 've gone it 's romantic date heaven , you can walk in get a booth by the windows , be treated like a VIP in a not-crowded place , with great $T$ and service . 1841 | food 1842 | 1 1843 | The other times I 've gone it 's romantic date heaven , you can walk in get a booth by the windows , be treated like a VIP in a not-crowded place , with great food and $T$ . 1844 | service 1845 | 1 1846 | I would only go for the $T$ which is way better than Starbucks or the like . 1847 | coffee 1848 | 1 1849 | Somewhat disappointing $T$ -LRB- only new vintages . 1850 | wine list 1851 | 2 1852 | Somewhat disappointing wine list -LRB- only new $T$ . 1853 | vintages 1854 | 2 1855 | If your looking for nasty high $T$ food with a dash of ghetto scenery cheap BX A$ $ this is the place to be !! 1856 | priced 1857 | 2 1858 | If your looking for nasty high priced $T$ with a dash of ghetto scenery cheap BX A$ $ this is the place to be !! 1859 | food 1860 | 2 1861 | If your looking for nasty high priced food with a dash of ghetto $T$ cheap BX A$ $ this is the place to be !! 1862 | scenery 1863 | 2 1864 | $T$ is ok - at least better than big mac ! 1865 | new hamburger with special sauce 1866 | 1 1867 | new hamburger with special sauce is ok - at least better than $T$ ! 1868 | big mac 1869 | 2 1870 | Perfectly al dente $T$ , not drowned in sauce -- generous portions . 1871 | pasta 1872 | 1 1873 | Perfectly al dente pasta , not drowned in $T$ -- generous portions . 1874 | sauce 1875 | 0 1876 | Perfectly al dente pasta , not drowned in sauce -- generous $T$ . 1877 | portions 1878 | 1 1879 | I can understand the $T$ if it served better food , like some Chinese restaurants in midtown/uptown area . 1880 | prices 1881 | 2 1882 | I can understand the prices if it served better $T$ , like some Chinese restaurants in midtown/uptown area . 1883 | food 1884 | 2 1885 | $T$ was awful - mostly because staff were overwhelmed on a Saturday night . 1886 | Service 1887 | 2 1888 | Service was awful - mostly because $T$ were overwhelmed on a Saturday night . 1889 | staff 1890 | 2 1891 | To the $T$ ; good job guys , this place is a keeper ! 1892 | owners 1893 | 1 1894 | and the $T$ is simply lovely and friendly . 1895 | owner 1896 | 1 1897 | This little $T$ is wonderfully warm welcoming . 1898 | place 1899 | 1 1900 | perfect for a quick $T$ . 1901 | meal 1902 | 1 1903 | Has the warmth of a family local yet it is a great $T$ to watch sporting events . 1904 | place 1905 | 1 1906 | The $T$ was great , and they have a whole great deal for birthdays . 1907 | service 1908 | 1 1909 | The $T$ is 100 % Italian and the food is as authentic as it gets . 1910 | staff 1911 | 1 1912 | The staff is 100 % Italian and the $T$ is as authentic as it gets . 1913 | food 1914 | 1 1915 | My only complaint might be the $T$ - I 've never had a cookie predict bad luck for me before I visited Kar . 1916 | fortune cookies 1917 | 2 1918 | My only complaint might be the fortune cookies - I 've never had a $T$ predict bad luck for me before I visited Kar . 1919 | cookie 1920 | 2 1921 | Good for a quick $T$ . 1922 | sushi lunch 1923 | 1 1924 | Have a $T$ and sit in the back patio . 1925 | mojito 1926 | 1 1927 | Have a mojito and sit in the $T$ . 1928 | back patio 1929 | 1 1930 | The $T$ was dreadfully slow -LRB- the place was only half full -RRB- and a smile would have been nice ... 1931 | service 1932 | 2 1933 | I went this past Saturday and had a excellent $T$ of consisting of a braised lamb shank with mashed potatoes . 1934 | meal 1935 | 1 1936 | I went this past Saturday and had a excellent meal of consisting of a $T$ . 1937 | braised lamb shank with mashed potatoes 1938 | 1 1939 | The $T$ came by to pick up the soy sauce WHILE we were eating our lunch !!!!! 1940 | waitress 1941 | 2 1942 | The waitress came by to pick up the $T$ WHILE we were eating our lunch !!!!! 1943 | soy sauce 1944 | 0 1945 | The waitress came by to pick up the soy sauce WHILE we were eating our $T$ !!!!! 1946 | lunch 1947 | 0 1948 | So we sat at the $T$ , the bartender did n't seem like he wanted to be there . 1949 | bar 1950 | 0 1951 | So we sat at the bar , the $T$ did n't seem like he wanted to be there . 1952 | bartender 1953 | 2 1954 | I reccomend the $T$ , the orange chicken/beef , and the fried rice . 1955 | fried pork dumplings 1956 | 1 1957 | I reccomend the fried pork dumplings , the $T$ , and the fried rice . 1958 | orange chicken/beef 1959 | 1 1960 | I reccomend the fried pork dumplings , the orange chicken/beef , and the $T$ . 1961 | fried rice 1962 | 1 1963 | You will not be dissapointed by any of the choices in the $T$ . 1964 | menu 1965 | 1 1966 | The $T$ were terrific ! 1967 | french fries -- with the kalmata dip 1968 | 1 1969 | Would you ever believe that when you complain about over an hour $T$ , when they tell you it will be 20-30 minutes , the manager tells the bartender to spill the drinks you just paid for ? 1970 | wait 1971 | 2 1972 | Would you ever believe that when you complain about over an hour wait , when they tell you it will be 20-30 minutes , the $T$ tells the bartender to spill the drinks you just paid for ? 1973 | manager 1974 | 2 1975 | Would you ever believe that when you complain about over an hour wait , when they tell you it will be 20-30 minutes , the manager tells the $T$ to spill the drinks you just paid for ? 1976 | bartender 1977 | 0 1978 | Would you ever believe that when you complain about over an hour wait , when they tell you it will be 20-30 minutes , the manager tells the bartender to spill the $T$ you just paid for ? 1979 | drinks 1980 | 0 1981 | The $T$ covers a wide variety without being imposeing . 1982 | boutique selection of wines 1983 | 0 1984 | They also have a great $T$ if your not in the mood for traditional Mediterranean fare . 1985 | assortment of wraps 1986 | 1 1987 | They also have a great assortment of wraps if your not in the mood for $T$ . 1988 | traditional Mediterranean fare 1989 | 0 1990 | $T$ , all sorts of middle eastern spreads , cheese and falafel , soup , fish , rice , root vegetables , a rice medley , some spinach thing , lamb kebabs , cheese baclava ... soooo much fooood , and all of it delicious . 1991 | Fresh veggies 1992 | 1 1993 | Fresh veggies , all sorts of $T$ , cheese and falafel , soup , fish , rice , root vegetables , a rice medley , some spinach thing , lamb kebabs , cheese baclava ... soooo much fooood , and all of it delicious . 1994 | middle eastern spreads 1995 | 1 1996 | Fresh veggies , all sorts of middle eastern spreads , $T$ and falafel , soup , fish , rice , root vegetables , a rice medley , some spinach thing , lamb kebabs , cheese baclava ... soooo much fooood , and all of it delicious . 1997 | cheese 1998 | 1 1999 | Fresh veggies , all sorts of middle eastern spreads , cheese and $T$ , soup , fish , rice , root vegetables , a rice medley , some spinach thing , lamb kebabs , cheese baclava ... soooo much fooood , and all of it delicious . 2000 | falafel 2001 | 1 2002 | Fresh veggies , all sorts of middle eastern spreads , cheese and falafel , $T$ , fish , rice , root vegetables , a rice medley , some spinach thing , lamb kebabs , cheese baclava ... soooo much fooood , and all of it delicious . 2003 | soup 2004 | 1 2005 | Fresh veggies , all sorts of middle eastern spreads , cheese and falafel , soup , $T$ , rice , root vegetables , a rice medley , some spinach thing , lamb kebabs , cheese baclava ... soooo much fooood , and all of it delicious . 2006 | fish 2007 | 1 2008 | Fresh veggies , all sorts of middle eastern spreads , cheese and falafel , soup , fish , $T$ , root vegetables , a rice medley , some spinach thing , lamb kebabs , cheese baclava ... soooo much fooood , and all of it delicious . 2009 | rice 2010 | 1 2011 | Fresh veggies , all sorts of middle eastern spreads , cheese and falafel , soup , fish , rice , $T$ , a rice medley , some spinach thing , lamb kebabs , cheese baclava ... soooo much fooood , and all of it delicious . 2012 | root vegetables 2013 | 1 2014 | Fresh veggies , all sorts of middle eastern spreads , cheese and falafel , soup , fish , rice , root vegetables , a $T$ , some spinach thing , lamb kebabs , cheese baclava ... soooo much fooood , and all of it delicious . 2015 | rice medley 2016 | 1 2017 | Fresh veggies , all sorts of middle eastern spreads , cheese and falafel , soup , fish , rice , root vegetables , a rice medley , some $T$ , lamb kebabs , cheese baclava ... soooo much fooood , and all of it delicious . 2018 | spinach thing 2019 | 1 2020 | Fresh veggies , all sorts of middle eastern spreads , cheese and falafel , soup , fish , rice , root vegetables , a rice medley , some spinach thing , $T$ , cheese baclava ... soooo much fooood , and all of it delicious . 2021 | lamb kebabs 2022 | 1 2023 | Fresh veggies , all sorts of middle eastern spreads , cheese and falafel , soup , fish , rice , root vegetables , a rice medley , some spinach thing , lamb kebabs , $T$ ... soooo much fooood , and all of it delicious . 2024 | cheese baclava 2025 | 1 2026 | Fresh veggies , all sorts of middle eastern spreads , cheese and falafel , soup , fish , rice , root vegetables , a rice medley , some spinach thing , lamb kebabs , cheese baclava ... soooo much $T$ , and all of it delicious . 2027 | fooood 2028 | 1 2029 | Disappointingly , their wonderful $T$ has been taken off the bar menu . 2030 | Saketini 2031 | 1 2032 | Disappointingly , their wonderful Saketini has been taken off the $T$ . 2033 | bar menu 2034 | 2 2035 | In Short The Black Sheep distinguishes itself from the Midtown pub herd with a $T$ that 's a mix of sports-bar butch and ornate kitsch . 2036 | look 2037 | 2 2038 | I would definitely go back -- if only for some of those exotic $T$ on the blackboard . 2039 | martinis 2040 | 1 2041 | then she made a fuss about not being able to add 1 or 2 $T$ on either end of the table for additional people . 2042 | chairs 2043 | 0 2044 | then she made a fuss about not being able to add 1 or 2 chairs on either end of the $T$ for additional people . 2045 | table 2046 | 0 2047 | The $T$ is so cheap , but that does not reflect the service or the atmosphere . 2048 | happy hour 2049 | 1 2050 | The happy hour is so cheap , but that does not reflect the $T$ or the atmosphere . 2051 | service 2052 | 1 2053 | The happy hour is so cheap , but that does not reflect the service or the $T$ . 2054 | atmosphere 2055 | 1 2056 | After waiting for almost an hour , the $T$ brusquely told us he 'd forgotten to give the kitchen our order . 2057 | waiter 2058 | 2 2059 | After waiting for almost an hour , the waiter brusquely told us he 'd forgotten to give the $T$ our order . 2060 | kitchen 2061 | 0 2062 | After $T$ for almost an hour , the waiter brusquely told us he 'd forgotten to give the kitchen our order . 2063 | waiting 2064 | 2 2065 | With all the mundane or mediocre places on 8th avenue it is nice to have one that is a step above in $T$ and atmosphere . 2066 | quaility 2067 | 1 2068 | With all the mundane or mediocre places on 8th avenue it is nice to have one that is a step above in quaility and $T$ . 2069 | atmosphere 2070 | 1 2071 | A mix of students and area residents crowd into this narrow , barely there $T$ for its quick , tasty treats at dirt-cheap prices . 2072 | space 2073 | 2 2074 | A mix of students and area residents crowd into this narrow , barely there space for its quick , tasty treats at dirt-cheap $T$ . 2075 | prices 2076 | 1 2077 | A mix of students and area residents crowd into this narrow , barely there space for its quick , tasty $T$ at dirt-cheap prices . 2078 | treats 2079 | 1 2080 | Give it a try , $T$ is typical French but varied . 2081 | menu 2082 | 0 2083 | It gets crowded at lunchtime but there are lots of $T$ in back and everyone who works there is so nice . 2084 | seats 2085 | 1 2086 | but for the $T$ , it was a great affordable spot to enjoy a fun night out with small group . 2087 | value 2088 | 1 2089 | the negative reviews on city search are probably from jealous competing restaurants who realize they ca n't compete with Temple 's entire positive attitude about the proper way to treat their customers and deliver top quality $T$ . 2090 | food 2091 | 1 2092 | the negative reviews on city search are probably from jealous competing restaurants who realize they ca n't compete with Temple 's entire positive $T$ about the proper way to treat their customers and deliver top quality food . 2093 | attitude 2094 | 1 2095 | We ordered a $T$ and were finished eating and paying before the wine came . 2096 | glass of wine 2097 | 0 2098 | It was good , but none of the $T$ WOW . 2099 | flavors 2100 | 0 2101 | Overall , this is a nice $T$ to take a few friends to hang out at and the service is excellent . 2102 | place 2103 | 1 2104 | Overall , this is a nice place to take a few friends to hang out at and the $T$ is excellent . 2105 | service 2106 | 1 2107 | $T$ is excellent quality for a good restaurant price . 2108 | Food 2109 | 1 2110 | Food is excellent quality for a good restaurant $T$ . 2111 | price 2112 | 1 2113 | for about eleven bucks you get a gigantic $T$ -LRB- or tacos -RRB- , margarita , and dessert . 2114 | burrito 2115 | 1 2116 | for about eleven bucks you get a gigantic burrito -LRB- or $T$ -RRB- , margarita , and dessert . 2117 | tacos 2118 | 1 2119 | for about eleven bucks you get a gigantic burrito -LRB- or tacos -RRB- , $T$ , and dessert . 2120 | margarita 2121 | 0 2122 | for about eleven bucks you get a gigantic burrito -LRB- or tacos -RRB- , margarita , and $T$ . 2123 | dessert 2124 | 0 2125 | The $T$ is traditional in feel . 2126 | space 2127 | 0 2128 | the restaurant was completely empty , but she gave me a dirty look and asked , no $T$ ? 2129 | reservations 2130 | 0 2131 | the $T$ was mediocre to be kind - the interior is small and average - the owners are a tag-team of unpleasantries - so rude and snotty i actually let out a hearty guffaw whilst dining . 2132 | food 2133 | 2 2134 | the food was mediocre to be kind - the $T$ is small and average - the owners are a tag-team of unpleasantries - so rude and snotty i actually let out a hearty guffaw whilst dining . 2135 | interior 2136 | 2 2137 | the food was mediocre to be kind - the interior is small and average - the $T$ are a tag-team of unpleasantries - so rude and snotty i actually let out a hearty guffaw whilst dining . 2138 | owners 2139 | 2 2140 | the food was mediocre to be kind - the interior is small and average - the owners are a tag-team of unpleasantries - so rude and snotty i actually let out a hearty guffaw whilst $T$ . 2141 | dining 2142 | 0 2143 | Good $T$ , great food , good value , and never have to wait in line ! 2144 | service 2145 | 1 2146 | Good service , great $T$ , good value , and never have to wait in line ! 2147 | food 2148 | 1 2149 | Good service , great food , good $T$ , and never have to wait in line ! 2150 | value 2151 | 1 2152 | Good service , great food , good value , and never have to $T$ in line ! 2153 | wait 2154 | 1 2155 | Offerings like hot cakes and the $T$ are available for breakfast . 2156 | Egg McMuffin sandwich 2157 | 0 2158 | Offerings like $T$ and the Egg McMuffin sandwich are available for breakfast . 2159 | hot cakes 2160 | 0 2161 | Offerings like hot cakes and the Egg McMuffin sandwich are available for $T$ . 2162 | breakfast 2163 | 0 2164 | I have been going to this restaurant for years , in the past the $T$ was average and the food inconsistant . 2165 | service 2166 | 0 2167 | I have been going to this restaurant for years , in the past the service was average and the $T$ inconsistant . 2168 | food 2169 | 2 2170 | The $T$ was fascinating , but left room for conversation , and the bartender made superb drinks . 2171 | music 2172 | 1 2173 | The music was fascinating , but left room for conversation , and the $T$ made superb drinks . 2174 | bartender 2175 | 1 2176 | The music was fascinating , but left room for conversation , and the bartender made superb $T$ . 2177 | drinks 2178 | 1 2179 | $T$ and noodle dishes rarely exceed $ 5 and add on a refreshing ice drink for $ 2 and you 're set for the night ! 2180 | rice dishes 2181 | 1 2182 | rice dishes and $T$ rarely exceed $ 5 and add on a refreshing ice drink for $ 2 and you 're set for the night ! 2183 | noodle dishes 2184 | 1 2185 | rice dishes and noodle dishes rarely exceed $ 5 and add on a refreshing $T$ for $ 2 and you 're set for the night ! 2186 | ice drink 2187 | 1 2188 | $T$ is billed as asian fusion - does n't meet the bill . 2189 | Cuisine 2190 | 2 2191 | Cuisine is billed as asian fusion - does n't meet the $T$ . 2192 | bill 2193 | 2 2194 | Cuisine is billed as $T$ - does n't meet the bill . 2195 | asian fusion 2196 | 0 2197 | Cuisine is $T$ as asian fusion - does n't meet the bill . 2198 | billed 2199 | 2 2200 | Creative $T$ like king crab salad with passion fruit vinaigrette and fettuccine with grilled seafood in a rosemary-orange sauce are unexpected elements on an otherwise predictable bistro menu . 2201 | dishes 2202 | 1 2203 | Creative dishes like $T$ and fettuccine with grilled seafood in a rosemary-orange sauce are unexpected elements on an otherwise predictable bistro menu . 2204 | king crab salad with passion fruit vinaigrette 2205 | 1 2206 | Creative dishes like king crab salad with passion fruit vinaigrette and $T$ are unexpected elements on an otherwise predictable bistro menu . 2207 | fettuccine with grilled seafood in a rosemary-orange sauce 2208 | 1 2209 | Creative dishes like king crab salad with passion fruit vinaigrette and fettuccine with grilled seafood in a rosemary-orange sauce are unexpected elements on an otherwise predictable $T$ . 2210 | bistro menu 2211 | 0 2212 | $T$ denoted as `` Roy 's Classics '' -LRB- marked on the menu with asterisks -RRB- are tried-and-true recipes , such as macadamia-crusted mahi mahi , or subtly sweet honey-mustard beef short ribs . 2213 | Dishes 2214 | 1 2215 | Dishes denoted as $T$ -LRB- marked on the menu with asterisks -RRB- are tried-and-true recipes , such as macadamia-crusted mahi mahi , or subtly sweet honey-mustard beef short ribs . 2216 | "Roy's Classics" 2217 | 1 2218 | Dishes denoted as `` Roy 's Classics '' -LRB- marked on the $T$ with asterisks -RRB- are tried-and-true recipes , such as macadamia-crusted mahi mahi , or subtly sweet honey-mustard beef short ribs . 2219 | menu 2220 | 0 2221 | Dishes denoted as `` Roy 's Classics '' -LRB- marked on the menu with asterisks -RRB- are tried-and-true $T$ , such as macadamia-crusted mahi mahi , or subtly sweet honey-mustard beef short ribs . 2222 | recipes 2223 | 1 2224 | Dishes denoted as `` Roy 's Classics '' -LRB- marked on the menu with asterisks -RRB- are tried-and-true recipes , such as $T$ , or subtly sweet honey-mustard beef short ribs . 2225 | macadamia-crusted mahi mahi 2226 | 1 2227 | Dishes denoted as `` Roy 's Classics '' -LRB- marked on the menu with asterisks -RRB- are tried-and-true recipes , such as macadamia-crusted mahi mahi , or subtly $T$ . 2228 | sweet honey-mustard beef short ribs 2229 | 1 2230 | The $T$ , which are a freebie when you order $ 10 + , are delectable . 2231 | cold sesame noodles 2232 | 1 2233 | I came to fresh expecting a great meal , and all I got was marginally so-so $T$ served in a restaurant that was just so freezing we could n't enjoy eating . 2234 | food 2235 | 2 2236 | I came to fresh expecting a great $T$ , and all I got was marginally so-so food served in a restaurant that was just so freezing we could n't enjoy eating . 2237 | meal 2238 | 2 2239 | I came to fresh expecting a great meal , and all I got was marginally so-so food $T$ in a restaurant that was just so freezing we could n't enjoy eating . 2240 | served 2241 | 0 2242 | The lone $T$ at $ 8.95 was a heavy fennel flavored Italian sausage like the ones that sell for $ 2.99 / lb at the store . 2243 | argentine chorizo appetizer 2244 | 2 2245 | The lone argentine chorizo appetizer at $ 8.95 was a heavy $T$ like the ones that sell for $ 2.99 / lb at the store . 2246 | fennel flavored Italian sausage 2247 | 2 2248 | I went to Swiftys with some friends of the family and we had a very nice $T$ , but nothing amazing . 2249 | dinner 2250 | 1 2251 | Best Chinese on the Upper East , prompt $T$ , good value . 2252 | delivery 2253 | 1 2254 | Best Chinese on the Upper East , prompt delivery , good $T$ . 2255 | value 2256 | 1 2257 | Most of the $T$ are made with soy mayonaise which is actually pretty good . 2258 | sandwiches 2259 | 1 2260 | Most of the sandwiches are made with $T$ which is actually pretty good . 2261 | soy mayonaise 2262 | 1 2263 | i went in one day asking for a table for a group and was greeted by a very rude $T$ . 2264 | hostess 2265 | 2 2266 | i went in one day asking for a $T$ for a group and was greeted by a very rude hostess . 2267 | table 2268 | 0 2269 | It 's worthwhile to take a cab to Chelsea just for an awesome $T$ at My Chelsea . 2270 | dinner 2271 | 1 2272 | Not only is the $T$ authentic , but the staff here are practically off-the-boat , they are young and hip and know what they are doing when it comes to food and wine . 2273 | food 2274 | 1 2275 | Not only is the food authentic , but the $T$ here are practically off-the-boat , they are young and hip and know what they are doing when it comes to food and wine . 2276 | staff 2277 | 1 2278 | Not only is the food authentic , but the staff here are practically off-the-boat , they are young and hip and know what they are doing when it comes to $T$ and wine . 2279 | food 2280 | 1 2281 | Not only is the food authentic , but the staff here are practically off-the-boat , they are young and hip and know what they are doing when it comes to food and $T$ . 2282 | wine 2283 | 1 2284 | It has good $T$ , nice tapas , an interesting selection of wines -LRB- primarily Spanish -RRB- and a lowkey hip neighborhood clientele . 2285 | music 2286 | 1 2287 | It has good music , nice $T$ , an interesting selection of wines -LRB- primarily Spanish -RRB- and a lowkey hip neighborhood clientele . 2288 | tapas 2289 | 1 2290 | It has good music , nice tapas , an interesting $T$ and a lowkey hip neighborhood clientele . 2291 | selection of wines (primarily Spanish) 2292 | 1 2293 | It has good music , nice tapas , an interesting selection of wines -LRB- primarily Spanish -RRB- and a lowkey hip neighborhood $T$ . 2294 | clientele 2295 | 1 2296 | The $T$ is great , I love their dumplings , cold sesame noodles , chicken and shrimp dishs . 2297 | food 2298 | 1 2299 | The food is great , I love their $T$ , cold sesame noodles , chicken and shrimp dishs . 2300 | dumplings 2301 | 1 2302 | The food is great , I love their dumplings , $T$ , chicken and shrimp dishs . 2303 | cold sesame noodles 2304 | 1 2305 | The food is great , I love their dumplings , cold sesame noodles , $T$ and shrimp dishs . 2306 | chicken 2307 | 1 2308 | The food is great , I love their dumplings , cold sesame noodles , chicken and $T$ . 2309 | shrimp dishs 2310 | 1 2311 | And the $T$ , well the food will keep you coming back . 2312 | food 2313 | 1 2314 | And the food , well the $T$ will keep you coming back . 2315 | food 2316 | 1 2317 | Waiting three hours before getting our $T$ was a treat as well . 2318 | entrees 2319 | 0 2320 | $T$ three hours before getting our entrees was a treat as well . 2321 | Waiting 2322 | 2 2323 | It 's the conversations that make this a fun $T$ to be . 2324 | place 2325 | 1 2326 | My gf 's $T$ was very solid as well , although i have little base of reference . 2327 | duck confitte 2328 | 1 2329 | The $T$ was superb , our tapas delightful , and the quiet atmosphere perfect for good conversation . 2330 | wine list 2331 | 1 2332 | The wine list was superb , our $T$ delightful , and the quiet atmosphere perfect for good conversation . 2333 | tapas 2334 | 1 2335 | The wine list was superb , our tapas delightful , and the quiet $T$ perfect for good conversation . 2336 | atmosphere 2337 | 1 2338 | You can eat gourmet food at a fast food $T$ . 2339 | price 2340 | 1 2341 | You can eat gourmet $T$ at a fast food price . 2342 | food 2343 | 1 2344 | I 've eaten at all three locations and I always love , love the $T$ , the service is always wonderful and the prices are really reasonable . 2345 | food 2346 | 1 2347 | I 've eaten at all three locations and I always love , love the food , the $T$ is always wonderful and the prices are really reasonable . 2348 | service 2349 | 1 2350 | I 've eaten at all three locations and I always love , love the food , the service is always wonderful and the $T$ are really reasonable . 2351 | prices 2352 | 1 2353 | Not because I was pregnant , but the $T$ here is always delicious . 2354 | food 2355 | 1 2356 | Had a great $T$ there this weekend before heading to the movies ! 2357 | meal 2358 | 1 2359 | We had a birthday party here recently and the $T$ and service was amazing . 2360 | food 2361 | 1 2362 | We had a birthday party here recently and the food and $T$ was amazing . 2363 | service 2364 | 1 2365 | the $T$ offers a variety of great entrees , including fresh seafood and huge steaks , there 's also a couple of non-meat alternatives . 2366 | dinner menu 2367 | 1 2368 | the dinner menu offers a variety of great $T$ , including fresh seafood and huge steaks , there 's also a couple of non-meat alternatives . 2369 | entrees 2370 | 1 2371 | the dinner menu offers a variety of great entrees , including fresh $T$ and huge steaks , there 's also a couple of non-meat alternatives . 2372 | seafood 2373 | 1 2374 | the dinner menu offers a variety of great entrees , including fresh seafood and huge $T$ , there 's also a couple of non-meat alternatives . 2375 | steaks 2376 | 1 2377 | the dinner menu offers a variety of great entrees , including fresh seafood and huge steaks , there 's also a couple of $T$ . 2378 | non-meat alternatives 2379 | 0 2380 | This place has the strangest $T$ and the restaurants tries too hard to make fancy food . 2381 | menu 2382 | 2 2383 | This place has the strangest menu and the restaurants tries too hard to make fancy $T$ . 2384 | food 2385 | 2 2386 | The $T$ are ok , but the service is slow . 2387 | appetizers 2388 | 0 2389 | The appetizers are ok , but the $T$ is slow . 2390 | service 2391 | 2 2392 | the $T$ - not worth the price . 2393 | food 2394 | 2 2395 | the food - not worth the $T$ . 2396 | price 2397 | 2 2398 | What can you say about a place where the $T$ brings out the wrong entree , then verbally assaults your 80 year old grandmother and gives her lip about sending it back -LRB- which she did politely , by the way -RRB- . 2399 | waitress 2400 | 2 2401 | What can you say about a place where the waitress brings out the wrong $T$ , then verbally assaults your 80 year old grandmother and gives her lip about sending it back -LRB- which she did politely , by the way -RRB- . 2402 | entree 2403 | 0 2404 | The $T$ are not terrible . 2405 | prices 2406 | 1 2407 | 15 % gratuity automatically added to the $T$ . 2408 | bill 2409 | 2 2410 | 15 % $T$ automatically added to the bill . 2411 | gratuity 2412 | 2 2413 | The $T$ came with a generous portion of foie gras , but that 's about the only positive thing I can say about the meal . 2414 | halibut cheek appetizer 2415 | 0 2416 | The halibut cheek appetizer came with a generous $T$ , but that 's about the only positive thing I can say about the meal . 2417 | portion of foie gras 2418 | 1 2419 | $T$ is excellent and they also have empenadas and plaintains which are good for an afternoon snack . 2420 | Food 2421 | 1 2422 | Food is excellent and they also have $T$ and plaintains which are good for an afternoon snack . 2423 | empenadas 2424 | 1 2425 | Food is excellent and they also have empenadas and $T$ which are good for an afternoon snack . 2426 | plaintains 2427 | 1 2428 | Food is excellent and they also have empenadas and plaintains which are good for an $T$ . 2429 | afternoon snack 2430 | 1 2431 | Both a number of the appetizer and $T$ were amazing . 2432 | pasta specials 2433 | 1 2434 | Both a number of the $T$ and pasta specials were amazing . 2435 | appetizer 2436 | 1 2437 | All-time favorites include the $T$ , Chicken McNuggets , Filet-O-Fish sandwich and McDonald 's famous french fries ; lighter options like entree-sized salads are also available . 2438 | Big Mac 2439 | 1 2440 | All-time favorites include the Big Mac , $T$ , Filet-O-Fish sandwich and McDonald 's famous french fries ; lighter options like entree-sized salads are also available . 2441 | Chicken McNuggets 2442 | 1 2443 | All-time favorites include the Big Mac , Chicken McNuggets , $T$ and McDonald 's famous french fries ; lighter options like entree-sized salads are also available . 2444 | Filet-O-Fish sandwich 2445 | 1 2446 | All-time favorites include the Big Mac , Chicken McNuggets , Filet-O-Fish sandwich and $T$ ; lighter options like entree-sized salads are also available . 2447 | McDonald's famous french fries 2448 | 1 2449 | All-time favorites include the Big Mac , Chicken McNuggets , Filet-O-Fish sandwich and McDonald 's famous french fries ; lighter options like $T$ are also available . 2450 | entree-sized salads 2451 | 0 2452 | It 's a basic pizza joint , not much to look at , but the $T$ is what I go for . 2453 | pizza 2454 | 1 2455 | $T$ are close , so you better be comfortable bumping elbows with other patrons . 2456 | Tables 2457 | 2 2458 | Was her Monday for $T$ - was working on a film in the area - and found this rare jewel . 2459 | lunch 2460 | 0 2461 | Not too much so , but enough that there 's a great $T$ . 2462 | scene 2463 | 1 2464 | Dug the $T$ too . 2465 | blue bar area 2466 | 1 2467 | I got the opportunity to dine at your establishment again a few weeks ago , I was in your $T$ . 2468 | upstrairs dining area 2469 | 0 2470 | Meat-phobes are in luck with the extraordinary $T$ , made from a distinctive blend of chickpeas , carrots and other vegetables and spices . 2471 | veggie burger 2472 | 1 2473 | Meat-phobes are in luck with the extraordinary veggie burger , made from a distinctive blend of $T$ , carrots and other vegetables and spices . 2474 | chickpeas 2475 | 1 2476 | Meat-phobes are in luck with the extraordinary veggie burger , made from a distinctive blend of chickpeas , $T$ and other vegetables and spices . 2477 | carrots 2478 | 1 2479 | Meat-phobes are in luck with the extraordinary veggie burger , made from a distinctive blend of chickpeas , carrots and other $T$ and spices . 2480 | vegetables 2481 | 1 2482 | Meat-phobes are in luck with the extraordinary veggie burger , made from a distinctive blend of chickpeas , carrots and other vegetables and $T$ . 2483 | spices 2484 | 1 2485 | At peak times , the restaurant is overcrowded and $T$ are uncomfortably close . 2486 | tables 2487 | 2 2488 | The $T$ was on point - what else you would expect from a Ritz ? 2489 | service 2490 | 1 2491 | $T$ feature seasonal picks , like sweet corn-foie gras brulee . 2492 | Menus 2493 | 0 2494 | Menus feature seasonal picks , like $T$ . 2495 | sweet corn-foie gras brulee 2496 | 0 2497 | Innovations are just as assured , from the simple $T$ to the caviar-topped sturgeon , beautifully matched with a bright green spinach-vodka sauce . 2498 | Carinthia cheese ravioli with wild mushrooms 2499 | 1 2500 | Innovations are just as assured , from the simple Carinthia cheese ravioli with wild mushrooms to the $T$ , beautifully matched with a bright green spinach-vodka sauce . 2501 | caviar-topped sturgeon 2502 | 1 2503 | Innovations are just as assured , from the simple Carinthia cheese ravioli with wild mushrooms to the caviar-topped sturgeon , beautifully matched with a bright $T$ . 2504 | green spinach-vodka sauce 2505 | 1 2506 | And these are not small , wimpy fast food type $T$ - these are real , full sized patties . 2507 | burgers 2508 | 1 2509 | And these are not small , wimpy fast food type burgers - these are real , full sized $T$ . 2510 | patties 2511 | 1 2512 | There restaurant is very casual , but perfect for $T$ , and their delivery service is always very fast . 2513 | lunch 2514 | 0 2515 | There restaurant is very casual , but perfect for lunch , and their $T$ is always very fast . 2516 | delivery service 2517 | 1 2518 | Chinatown definitely has better $T$ with cheaper prices . 2519 | quality 2520 | 1 2521 | Chinatown definitely has better quality with cheaper $T$ . 2522 | prices 2523 | 1 2524 | I had to flag down a third $T$ for a fork ... so now it 's goodbye Little RUDE Pie Company . 2525 | staff person 2526 | 0 2527 | I had to flag down a third staff person for a $T$ ... so now it 's goodbye Little RUDE Pie Company . 2528 | fork 2529 | 0 2530 | Go with the $T$ , and stay away from the salmon . 2531 | specials 2532 | 1 2533 | Go with the specials , and stay away from the $T$ . 2534 | salmon 2535 | 2 2536 | The $T$ were pretty good . 2537 | pastas 2538 | 1 2539 | $T$ is a bore . 2540 | Atmosphere 2541 | 2 2542 | The $T$ is what initially got me in the door . 2543 | decor 2544 | 1 2545 | The $T$ was very attentive and polite . 2546 | wait staff 2547 | 1 2548 | Great restaurant , and even greater $T$ ! 2549 | food 2550 | 1 2551 | The $T$ are remarkably tasty and such a cozy and intimate place ! 2552 | dishes 2553 | 1 2554 | The dishes are remarkably tasty and such a cozy and intimate $T$ ! 2555 | place 2556 | 1 2557 | Save room for the $T$ ! ; - -RRB- 2558 | desserts 2559 | 1 2560 | I love the simplicity and respect which was given to the $T$ , as well the staff was freindly and knowledgable . 2561 | food 2562 | 1 2563 | I love the simplicity and respect which was given to the food , as well the $T$ was freindly and knowledgable . 2564 | staff 2565 | 1 2566 | $T$ was good and so was the atmosphere . 2567 | Service 2568 | 1 2569 | Service was good and so was the $T$ . 2570 | atmosphere 2571 | 1 2572 | MY date and I both ordered the $T$ and both felt the fish was very average . 2573 | Branzini 2574 | 0 2575 | MY date and I both ordered the Branzini and both felt the $T$ was very average . 2576 | fish 2577 | 2 2578 | The $T$ was good , the service prompt , and the price very reasonable . 2579 | food 2580 | 1 2581 | The food was good , the $T$ prompt , and the price very reasonable . 2582 | service 2583 | 1 2584 | The food was good , the service prompt , and the $T$ very reasonable . 2585 | price 2586 | 1 2587 | Wonderful $T$ , warm inviting ambiance , great service the FOOD keeps me coming back ! 2588 | menu 2589 | 1 2590 | Wonderful menu , warm inviting $T$ , great service the FOOD keeps me coming back ! 2591 | ambiance 2592 | 1 2593 | Wonderful menu , warm inviting ambiance , great $T$ the FOOD keeps me coming back ! 2594 | service 2595 | 1 2596 | Wonderful menu , warm inviting ambiance , great service the $T$ keeps me coming back ! 2597 | FOOD 2598 | 1 2599 | Great $T$ , good wine and an excellent host . 2600 | food 2601 | 1 2602 | Great food , good $T$ and an excellent host . 2603 | wine 2604 | 1 2605 | Great food , good wine and an excellent $T$ . 2606 | host 2607 | 1 2608 | $T$ were excellent in addition to appetizers and main courses . 2609 | Pizzas 2610 | 1 2611 | Pizzas were excellent in addition to $T$ and main courses . 2612 | appetizers 2613 | 1 2614 | Pizzas were excellent in addition to appetizers and $T$ . 2615 | main courses 2616 | 1 2617 | Definitely try the $T$ , any pasta , or even the Sliced steak entree . 2618 | calamari 2619 | 1 2620 | Definitely try the calamari , any $T$ , or even the Sliced steak entree . 2621 | pasta 2622 | 1 2623 | Definitely try the calamari , any pasta , or even the $T$ . 2624 | Sliced steak entree 2625 | 1 2626 | The $T$ was great . 2627 | caeser salad 2628 | 1 2629 | The $T$ was even better ! 2630 | fried calamari 2631 | 1 2632 | The $T$ was good overall . 2633 | food 2634 | 1 2635 | The $T$ was outstanding and the service was tops . 2636 | food 2637 | 1 2638 | The food was outstanding and the $T$ was tops . 2639 | service 2640 | 1 2641 | The $T$ are very large and the service is fantastic !! 2642 | portions 2643 | 1 2644 | The portions are very large and the $T$ is fantastic !! 2645 | service 2646 | 1 2647 | I recomend the $T$ . 2648 | chicken milanese 2649 | 1 2650 | excellent $T$ at great prices , romantic , small but not overly crowed , excellent 2651 | tapas 2652 | 1 2653 | excellent tapas at great $T$ , romantic , small but not overly crowed , excellent 2654 | prices 2655 | 1 2656 | The $T$ is heavenly - not too sweet , but full of flavor . 2657 | chocolate raspberry cake 2658 | 1 2659 | The chocolate raspberry cake is heavenly - not too sweet , but full of $T$ . 2660 | flavor 2661 | 1 2662 | Our $T$ was helpful and charming , the food was perfect , and the wine was good , too . 2663 | waiter 2664 | 1 2665 | Our waiter was helpful and charming , the $T$ was perfect , and the wine was good , too . 2666 | food 2667 | 1 2668 | Our waiter was helpful and charming , the food was perfect , and the $T$ was good , too . 2669 | wine 2670 | 1 2671 | I HAVE NEVER HAD A BAD $T$ -LRB- OR BAD SERVICE -RRB- @ PIGALLE . 2672 | MEAL 2673 | 1 2674 | I HAVE NEVER HAD A BAD MEAL -LRB- OR BAD $T$ -RRB- @ PIGALLE . 2675 | SERVICE 2676 | 1 2677 | Best $T$ in the tri-state area . 2678 | hot dogs 2679 | 1 2680 | The $T$ was very attentive and very generous . 2681 | service 2682 | 1 2683 | We had tons of great $T$ , wine , and desserts . 2684 | food 2685 | 1 2686 | We had tons of great food , $T$ , and desserts . 2687 | wine 2688 | 1 2689 | We had tons of great food , wine , and $T$ . 2690 | desserts 2691 | 1 2692 | Really Lovely $T$ in the midst of buzzing midtown area . 2693 | dining experience 2694 | 1 2695 | The $T$ really is n't very good and the service is terrible . 2696 | food 2697 | 2 2698 | The food really is n't very good and the $T$ is terrible . 2699 | service 2700 | 2 2701 | Not only do they have the best $T$ in town , they always try to accomodate our toddler . 2702 | escargot 2703 | 1 2704 | Between my guest and I , we sampled at least 80 % of the $T$ , and they were all hits . 2705 | menu 2706 | 1 2707 | The $T$ and ambiance was really romantic . 2708 | Deco 2709 | 1 2710 | The Deco and $T$ was really romantic . 2711 | ambiance 2712 | 1 2713 | Just go in and sample the greatest $T$ west of Daniel . 2714 | french food 2715 | 1 2716 | For someone who used to hate $T$ , Baluchi 's has changed my mid . 2717 | Indian food 2718 | 1 2719 | Finally a $T$ that I can eat , enjoy and not suffer from gastritis from 3 hours later . 2720 | curry 2721 | 1 2722 | All are GREAT - $T$ , naan , paratha all FRESH . 2723 | poori 2724 | 1 2725 | All are GREAT - poori , $T$ , paratha all FRESH . 2726 | naan 2727 | 1 2728 | All are GREAT - poori , naan , $T$ all FRESH . 2729 | paratha 2730 | 1 2731 | Try the $T$ . 2732 | homemade breads 2733 | 1 2734 | This place has beautiful $T$ , and it 's delicious CHEAP . 2735 | sushi 2736 | 1 2737 | It also has lots of other $T$ that are affordable and just as yummy . 2738 | Korean dishes 2739 | 1 2740 | I went for restaurant week and ordered off the $T$ 2741 | prix fixe menu 2742 | 0 2743 | Not only was the $T$ efficient and courteous , but also extremely helpful . 2744 | waiter 2745 | 1 2746 | This $T$ is classy , chic , the service is warm and hospitable , and the food is outstanding . 2747 | place 2748 | 1 2749 | This place is classy , chic , the $T$ is warm and hospitable , and the food is outstanding . 2750 | service 2751 | 1 2752 | This place is classy , chic , the service is warm and hospitable , and the $T$ is outstanding . 2753 | food 2754 | 1 2755 | Great $T$ , grilled cheeses and french fries . 2756 | burgers 2757 | 1 2758 | Great burgers , $T$ and french fries . 2759 | grilled cheeses 2760 | 1 2761 | Great burgers , grilled cheeses and $T$ . 2762 | french fries 2763 | 1 2764 | The $T$ and Calf 's liver are my favorites ! 2765 | Yellowfin Tuna 2766 | 1 2767 | The Yellowfin Tuna and $T$ are my favorites ! 2768 | Calf's liver 2769 | 1 2770 | $T$ so fresh that it crunches in your mouth . 2771 | Sushi 2772 | 1 2773 | But make sure you have enough room on your credit card as the $T$ will leave a big dent in your wallet . 2774 | bill 2775 | 2 2776 | They bring a sauce cart up to your table and offer you up to 7 or 8 choices of sauces for your $T$ -LRB- I tried them ALL -RRB- . 2777 | steak 2778 | 0 2779 | They bring a sauce cart up to your table and offer you up to 7 or 8 $T$ for your steak -LRB- I tried them ALL -RRB- . 2780 | choices of sauces 2781 | 1 2782 | They bring a $T$ up to your table and offer you up to 7 or 8 choices of sauces for your steak -LRB- I tried them ALL -RRB- . 2783 | sauce cart 2784 | 0 2785 | They bring a sauce cart up to your $T$ and offer you up to 7 or 8 choices of sauces for your steak -LRB- I tried them ALL -RRB- . 2786 | table 2787 | 0 2788 | Not only was the $T$ fresh , they also served other entrees allowed each guest something to choose from and we all left happy -LRB- try the duck ! 2789 | sushi 2790 | 1 2791 | Not only was the sushi fresh , they also served other entrees allowed each guest something to choose from and we all left happy -LRB- try the $T$ ! 2792 | duck 2793 | 1 2794 | Not only was the sushi fresh , they also served other $T$ allowed each guest something to choose from and we all left happy -LRB- try the duck ! 2795 | entrees 2796 | 0 2797 | good $T$ but nothing surprising . 2798 | variety 2799 | 1 2800 | After I paid for my purchase , I noticed they had not given me $T$ so I could eat my pie . 2801 | utensils 2802 | 0 2803 | After I paid for my purchase , I noticed they had not given me utensils so I could eat my $T$ . 2804 | pie 2805 | 0 2806 | Likewise if you like really $T$ or really big slices then Nick and Joe 's may not be your favorite . 2807 | thin crust 2808 | 2 2809 | Likewise if you like really thin crust or really big $T$ then Nick and Joe 's may not be your favorite . 2810 | slices 2811 | 2 2812 | No $T$ , no egg , no anchovy dressing , no nicoise olives , no red onion . 2813 | green beans 2814 | 0 2815 | No green beans , no $T$ , no anchovy dressing , no nicoise olives , no red onion . 2816 | egg 2817 | 0 2818 | No green beans , no egg , no $T$ , no nicoise olives , no red onion . 2819 | anchovy dressing 2820 | 0 2821 | No green beans , no egg , no anchovy dressing , no $T$ , no red onion . 2822 | nicoise olives 2823 | 0 2824 | No green beans , no egg , no anchovy dressing , no nicoise olives , no $T$ . 2825 | red onion 2826 | 0 2827 | Build a $T$ with side orders like Amazin ' Greens salads , Buffalo Chicken Kickers and Cinna Stix . 2828 | meal 2829 | 0 2830 | Build a meal with side orders like $T$ , Buffalo Chicken Kickers and Cinna Stix . 2831 | Amazin' Greens salads 2832 | 0 2833 | Build a meal with side orders like Amazin ' Greens salads , $T$ and Cinna Stix . 2834 | Buffalo Chicken Kickers 2835 | 0 2836 | Build a meal with side orders like Amazin ' Greens salads , Buffalo Chicken Kickers and $T$ . 2837 | Cinna Stix 2838 | 0 2839 | Build a meal with $T$ like Amazin ' Greens salads , Buffalo Chicken Kickers and Cinna Stix . 2840 | side orders 2841 | 0 2842 | Thick $T$ , meaty chili and stuffed baked potatoes round out a menu that includes a cool , ultra-thick chocolate Frosty . 2843 | fries 2844 | 0 2845 | Thick fries , $T$ and stuffed baked potatoes round out a menu that includes a cool , ultra-thick chocolate Frosty . 2846 | meaty chili 2847 | 0 2848 | Thick fries , meaty chili and $T$ round out a menu that includes a cool , ultra-thick chocolate Frosty . 2849 | stuffed baked potatoes 2850 | 0 2851 | Thick fries , meaty chili and stuffed baked potatoes round out a $T$ that includes a cool , ultra-thick chocolate Frosty . 2852 | menu 2853 | 0 2854 | Thick fries , meaty chili and stuffed baked potatoes round out a menu that includes a cool , ultra-thick $T$ . 2855 | chocolate Frosty 2856 | 1 2857 | I always find myself asking the $T$ to make something bland and different than what is on the menu . 2858 | waiter 2859 | 0 2860 | I always find myself asking the waiter to make something bland and different than what is on the $T$ . 2861 | menu 2862 | 0 2863 | Good cake BUT : it was not the best $T$ i 've ever had , and definately not worth standing outside on the sidewalk being herded like cattle by indifferent and overworked employees . 2864 | cake 2865 | 2 2866 | Good cake BUT : it was not the best cake i 've ever had , and definately not worth standing outside on the sidewalk being herded like cattle by indifferent and overworked $T$ . 2867 | employees 2868 | 2 2869 | The closest that I got was the $T$ , but they were out of it that day . 2870 | Cherry Marscapone 2871 | 0 2872 | The homage to India is most evident in the delectable $T$ , a fried pancake served with pungent curry dipping sauce , while the mango chicken offers a surprisingly sophisticated , fresh take on sweet-and-sour . 2873 | roti canai appetizer 2874 | 1 2875 | The homage to India is most evident in the delectable roti canai appetizer , a fried pancake served with pungent curry dipping sauce , while the $T$ offers a surprisingly sophisticated , fresh take on sweet-and-sour . 2876 | mango chicken 2877 | 1 2878 | The homage to India is most evident in the delectable roti canai appetizer , a $T$ , while the mango chicken offers a surprisingly sophisticated , fresh take on sweet-and-sour . 2879 | fried pancake served with pungent curry dipping sauce 2880 | 1 2881 | It does n't look like much on the $T$ , but the minute you walk inside , it 's a whole other atmosphere . 2882 | outside 2883 | 2 2884 | It does n't look like much on the outside , but the minute you walk inside , it 's a whole other $T$ . 2885 | atmosphere 2886 | 1 2887 | The $T$ we sampled as a starter tasted somewhat thin . 2888 | ground chickpea soup 2889 | 2 2890 | The ground chickpea soup we sampled as a $T$ tasted somewhat thin . 2891 | starter 2892 | 0 2893 | We requested they re-slice the $T$ , and it was returned to us in small cheese-like cubes . 2894 | sushi 2895 | 2 2896 | The $T$ , however , is a peg or two below the quality of food -LRB- horrible bartenders -RRB- , and the clientele , for the most part , are rowdy , loud-mouthed commuters -LRB- this could explain the bad attitudes from the staff -RRB- getting loaded for an AC/DC concert or a Knicks game . 2897 | service 2898 | 2 2899 | The service , however , is a peg or two below the $T$ -LRB- horrible bartenders -RRB- , and the clientele , for the most part , are rowdy , loud-mouthed commuters -LRB- this could explain the bad attitudes from the staff -RRB- getting loaded for an AC/DC concert or a Knicks game . 2900 | quality of food 2901 | 1 2902 | The service , however , is a peg or two below the quality of food -LRB- horrible $T$ -RRB- , and the clientele , for the most part , are rowdy , loud-mouthed commuters -LRB- this could explain the bad attitudes from the staff -RRB- getting loaded for an AC/DC concert or a Knicks game . 2903 | bartenders 2904 | 2 2905 | The service , however , is a peg or two below the quality of food -LRB- horrible bartenders -RRB- , and the $T$ , for the most part , are rowdy , loud-mouthed commuters -LRB- this could explain the bad attitudes from the staff -RRB- getting loaded for an AC/DC concert or a Knicks game . 2906 | clientele 2907 | 2 2908 | The service , however , is a peg or two below the quality of food -LRB- horrible bartenders -RRB- , and the clientele , for the most part , are rowdy , loud-mouthed commuters -LRB- this could explain the bad attitudes from the $T$ -RRB- getting loaded for an AC/DC concert or a Knicks game . 2909 | staff 2910 | 2 2911 | If you 're in the neighborhood , definitely stop by for a great $T$ . 2912 | meal 2913 | 1 2914 | Unfortunately , with our show tickets , we did n't have time to sample any $T$ . 2915 | desserts 2916 | 0 2917 | Make more $T$ - perhaps a rooftop bar ? 2918 | tables 2919 | 2 2920 | Make more tables - perhaps a $T$ ? 2921 | rooftop bar 2922 | 0 2923 | The $T$ was feeling like we was on the Cairo , actually the street is part of that adventure . 2924 | decoration 2925 | 1 2926 | Although small , it has beautiful $T$ , excellent food -LRB- the catfish is delicious - if ya don't mind it a lil salty -RRB- and attentive service . 2927 | ambience 2928 | 1 2929 | Although small , it has beautiful ambience , excellent $T$ -LRB- the catfish is delicious - if ya don't mind it a lil salty -RRB- and attentive service . 2930 | food 2931 | 1 2932 | Although small , it has beautiful ambience , excellent food -LRB- the $T$ is delicious - if ya don't mind it a lil salty -RRB- and attentive service . 2933 | catfish 2934 | 1 2935 | Although small , it has beautiful ambience , excellent food -LRB- the catfish is delicious - if ya don't mind it a lil salty -RRB- and attentive $T$ . 2936 | service 2937 | 1 2938 | I did n't go there for $T$ so I ca n't comment . 2939 | food 2940 | 0 2941 | Stick to the items the place does best , $T$ , ribs , wings , cajun shrimp is good , not great . 2942 | brisket 2943 | 1 2944 | Stick to the items the place does best , brisket , $T$ , wings , cajun shrimp is good , not great . 2945 | ribs 2946 | 1 2947 | Stick to the items the place does best , brisket , ribs , $T$ , cajun shrimp is good , not great . 2948 | wings 2949 | 1 2950 | Stick to the items the place does best , brisket , ribs , wings , $T$ is good , not great . 2951 | cajun shrimp 2952 | 0 2953 | Hip boutiques and bars on Ludlow add to the artsy , laid-back $T$ at this Israeli-style takeout and eat-in burger joint . 2954 | atmosphere 2955 | 1 2956 | Young neighborhood trendies graze at the $T$ during the day , while chic , art-house drinkers with heavy doses of the munchies pile in late at night . 2957 | counter 2958 | 0 2959 | Bring your date and a $T$ ! 2960 | bottle of wine 2961 | 0 2962 | My Chelsea 's impressive and creative $T$ includes modern , Westernized Japanese dishes such as Foie Gras Unagi Napolean , Jap style hamburger steak , spicy cod roe spaghetti , black cod with miso base , and rack of lamb in black truffle sauce , to name a few . 2963 | menu 2964 | 1 2965 | My Chelsea 's impressive and creative menu includes modern , Westernized $T$ such as Foie Gras Unagi Napolean , Jap style hamburger steak , spicy cod roe spaghetti , black cod with miso base , and rack of lamb in black truffle sauce , to name a few . 2966 | Japanese dishes 2967 | 0 2968 | My Chelsea 's impressive and creative menu includes modern , Westernized Japanese dishes such as $T$ , Jap style hamburger steak , spicy cod roe spaghetti , black cod with miso base , and rack of lamb in black truffle sauce , to name a few . 2969 | Foie Gras Unagi Napolean 2970 | 0 2971 | My Chelsea 's impressive and creative menu includes modern , Westernized Japanese dishes such as Foie Gras Unagi Napolean , $T$ , spicy cod roe spaghetti , black cod with miso base , and rack of lamb in black truffle sauce , to name a few . 2972 | Jap style hamburger steak 2973 | 0 2974 | My Chelsea 's impressive and creative menu includes modern , Westernized Japanese dishes such as Foie Gras Unagi Napolean , Jap style hamburger steak , $T$ , black cod with miso base , and rack of lamb in black truffle sauce , to name a few . 2975 | spicy cod roe spaghetti 2976 | 0 2977 | My Chelsea 's impressive and creative menu includes modern , Westernized Japanese dishes such as Foie Gras Unagi Napolean , Jap style hamburger steak , spicy cod roe spaghetti , $T$ , and rack of lamb in black truffle sauce , to name a few . 2978 | black cod with miso base 2979 | 0 2980 | My Chelsea 's impressive and creative menu includes modern , Westernized Japanese dishes such as Foie Gras Unagi Napolean , Jap style hamburger steak , spicy cod roe spaghetti , black cod with miso base , and $T$ , to name a few . 2981 | rack of lamb in black truffle sauce 2982 | 0 2983 | His $T$ is excellent -LRB- and not expensive by NYC standards - no entrees over $ 30 , most appetizers $ 12 to 14 -RRB- . 2984 | food 2985 | 1 2986 | His food is excellent -LRB- and not expensive by NYC standards - no entrees over $ 30 , most $T$ $ 12 to 14 -RRB- . 2987 | appetizers 2988 | 1 2989 | His food is excellent -LRB- and not expensive by NYC standards - no $T$ over $ 30 , most appetizers $ 12 to 14 -RRB- . 2990 | entrees 2991 | 1 2992 | The $T$ is consistant and good but how it got name Best Diner In Manhattan is beyond me . 2993 | food 2994 | 1 2995 | The $T$ was outstanding as well , lots of fresh veggies . 2996 | pasta primavera 2997 | 1 2998 | The pasta primavera was outstanding as well , lots of $T$ . 2999 | fresh veggies 3000 | 1 3001 | don't get me wrong - $T$ was good , just not fantastic . 3002 | sushi 3003 | 1 3004 | Being Puerto Rican I know a thing or two about $T$ and this place serves one of the best -LRB- I hope Mom does n't read this ! -RRB- . 3005 | flan 3006 | 1 3007 | Been to the one in Brooklyn for over 25 years , now I dont have to go over the bridge for the best $T$ ... Hanx 3008 | pizza 3009 | 1 3010 | Had $T$ here on a Friday and the food was great . 3011 | dinner 3012 | 0 3013 | Had dinner here on a Friday and the $T$ was great . 3014 | food 3015 | 1 3016 | We recently spent New Year 's Eve at the restaurant , and had a great experience , from the $T$ to the dessert menu . 3017 | wine 3018 | 1 3019 | We recently spent New Year 's Eve at the restaurant , and had a great experience , from the wine to the $T$ . 3020 | dessert menu 3021 | 1 3022 | Highly recommended ... As stated , I have n't dined * in * the restaurant but stopped by there to pick up takeout and it seems a very relaxing $T$ ; also , the bar looks nice . 3023 | place 3024 | 1 3025 | Highly recommended ... As stated , I have n't dined * in * the restaurant but stopped by there to pick up takeout and it seems a very relaxing place ; also , the $T$ looks nice . 3026 | bar 3027 | 1 3028 | Highly recommended ... As stated , I have n't dined * in * the restaurant but stopped by there to pick up $T$ and it seems a very relaxing place ; also , the bar looks nice . 3029 | takeout 3030 | 0 3031 | The $T$ was fine , a little loud but still nice and romantic . 3032 | ambiance 3033 | 1 3034 | but , the filet mignon was not very good at all $T$ includes free appetizers -LRB- nice non-sushi selection -RRB- . 3035 | cocktail hour 3036 | 1 3037 | but , the $T$ was not very good at all cocktail hour includes free appetizers -LRB- nice non-sushi selection -RRB- . 3038 | filet mignon 3039 | 2 3040 | but , the filet mignon was not very good at all cocktail hour includes free appetizers -LRB- nice $T$ -RRB- . 3041 | non-sushi selection 3042 | 1 3043 | but , the filet mignon was not very good at all cocktail hour includes free $T$ -LRB- nice non-sushi selection -RRB- . 3044 | appetizers 3045 | 1 3046 | It took about 2 1/2 hours to be served our 2 $T$ . 3047 | courses 3048 | 0 3049 | It took about 2 1/2 hours to be $T$ our 2 courses . 3050 | served 3051 | 2 3052 | Who said go when the $T$ is quiet during the day ? 3053 | place 3054 | 0 3055 | Can be a bit busy around peak times because of the $T$ . 3056 | size 3057 | 2 3058 | I was on jury duty , rode my bike up Centre Street on my lunch break and came across this great little place with awesome $T$ and Hibiscus lemonade . 3059 | chicken tacos 3060 | 1 3061 | I was on jury duty , rode my bike up Centre Street on my lunch break and came across this great little place with awesome chicken tacos and $T$ . 3062 | Hibiscus lemonade 3063 | 1 3064 | I was on jury duty , rode my bike up Centre Street on my lunch break and came across this great little $T$ with awesome chicken tacos and Hibiscus lemonade . 3065 | place 3066 | 1 3067 | good $T$ to hang out during the day after shopping or to grab a simple soup or classic french dish over a glass of wine . 3068 | place 3069 | 1 3070 | good place to hang out during the day after shopping or to grab a simple $T$ or classic french dish over a glass of wine . 3071 | soup 3072 | 0 3073 | good place to hang out during the day after shopping or to grab a simple soup or classic $T$ over a glass of wine . 3074 | french dish 3075 | 0 3076 | good place to hang out during the day after shopping or to grab a simple soup or classic french dish over a $T$ . 3077 | glass of wine 3078 | 0 3079 | Very nice touch that very much fits the $T$ . 3080 | place 3081 | 1 3082 | However , there is just something so great about being outdoors , in great landscaping , enjoying a $T$ that makes going to this place worthwhile . 3083 | casual drink 3084 | 1 3085 | However , there is just something so great about being $T$ , in great landscaping , enjoying a casual drink that makes going to this place worthwhile . 3086 | outdoors 3087 | 1 3088 | However , there is just something so great about being outdoors , in great landscaping , enjoying a casual drink that makes going to this $T$ worthwhile . 3089 | place 3090 | 1 3091 | We were seated promptly in close proximity to the $T$ . 3092 | dance floor 3093 | 0 3094 | If you are here as a $T$ , hop in a cab and take the extra 10 minutes to go to the uptown location . 3095 | pre-show meal 3096 | 0 3097 | The comments about $T$ is correct -LRB- below -RRB- but the other dishes , including the lamb entree and many of the salads -LRB- avocado shrimp -RRB- were quite good . 3098 | fried foods 3099 | 2 3100 | The comments about fried foods is correct -LRB- below -RRB- but the other $T$ , including the lamb entree and many of the salads -LRB- avocado shrimp -RRB- were quite good . 3101 | dishes 3102 | 1 3103 | The comments about fried foods is correct -LRB- below -RRB- but the other dishes , including the $T$ and many of the salads -LRB- avocado shrimp -RRB- were quite good . 3104 | lamb entree 3105 | 1 3106 | The comments about fried foods is correct -LRB- below -RRB- but the other dishes , including the lamb entree and many of the $T$ were quite good . 3107 | salads (avocado shrimp) 3108 | 1 3109 | Slow $T$ , but when you 're hanging around with groups of 10 or 20 , who really notices ? 3110 | service 3111 | 2 3112 | The sauce is excellent -LRB- very fresh -RRB- with $T$ . 3113 | dabs of real mozzarella 3114 | 0 3115 | The $T$ is excellent -LRB- very fresh -RRB- with dabs of real mozzarella . 3116 | sauce 3117 | 1 3118 | Do n't ever bother - the $T$ were awful , but it was the people who work there that really made this the worst experience at dining . 3119 | drinks 3120 | 2 3121 | Do n't ever bother - the drinks were awful , but it was the $T$ who work there that really made this the worst experience at dining . 3122 | people 3123 | 2 3124 | Do n't ever bother - the drinks were awful , but it was the people who work there that really made this the worst experience at $T$ . 3125 | dining 3126 | 2 3127 | The $T$ is a little plain , but it 's difficult to make such a small place exciting and I would not suggest that as a reason not to go . 3128 | room 3129 | 2 3130 | The room is a little plain , but it 's difficult to make such a small $T$ exciting and I would not suggest that as a reason not to go . 3131 | place 3132 | 2 3133 | $T$ even outside of restaurant week were great . 3134 | Prices 3135 | 1 3136 | A small , outdoor eating area makes for a private , comfortable $T$ to study alone or meet up with friends . 3137 | space 3138 | 1 3139 | A small , $T$ makes for a private , comfortable space to study alone or meet up with friends . 3140 | outdoor eating area 3141 | 1 3142 | And all the $T$ are cute too , which is always nice . 3143 | [female] servers 3144 | 1 3145 | The best $T$ , a chocolate and peanut butter tart , is n't particularly Hawaiian , but it 's a small world when it comes to sweets . 3146 | dessert 3147 | 1 3148 | The best dessert , a $T$ , is n't particularly Hawaiian , but it 's a small world when it comes to sweets . 3149 | chocolate and peanut butter tart 3150 | 1 3151 | The best dessert , a chocolate and peanut butter tart , is n't particularly Hawaiian , but it 's a small world when it comes to $T$ . 3152 | sweets 3153 | 0 3154 | for an $T$ , their calamari is a winner . 3155 | appetizer 3156 | 0 3157 | for an appetizer , their $T$ is a winner . 3158 | calamari 3159 | 1 3160 | Satay is one of those favorite haunts on Washington where the $T$ and food is always on the money . 3161 | service 3162 | 1 3163 | Satay is one of those favorite haunts on Washington where the service and $T$ is always on the money . 3164 | food 3165 | 1 3166 | After $T$ I heard music playing and discovered that there is a lounge downstairs . 3167 | dinner 3168 | 0 3169 | After dinner I heard $T$ playing and discovered that there is a lounge downstairs . 3170 | music 3171 | 0 3172 | After dinner I heard music playing and discovered that there is a $T$ downstairs . 3173 | lounge 3174 | 0 3175 | The $T$ is a gorgeous , bi-level space and the long bar perfect for a drink . 3176 | room 3177 | 1 3178 | The room is a gorgeous , $T$ and the long bar perfect for a drink . 3179 | bi-level space 3180 | 1 3181 | The room is a gorgeous , bi-level space and the $T$ perfect for a drink . 3182 | long bar 3183 | 1 3184 | The room is a gorgeous , bi-level space and the long bar perfect for a $T$ . 3185 | drink 3186 | 0 3187 | Two complaints - their $T$ stinks , it would be nice to get some mozzarella sticks on the menu . 3188 | appetizer selection 3189 | 2 3190 | Two complaints - their appetizer selection stinks , it would be nice to get some $T$ on the menu . 3191 | mozzarella sticks 3192 | 0 3193 | Two complaints - their appetizer selection stinks , it would be nice to get some mozzarella sticks on the $T$ . 3194 | menu 3195 | 2 3196 | I was especially impressed during the bday party when the $T$ went above and beyond in helping me decorate and bring out a bday cake as well as offering prompt and friendly service to a 15 person party . 3197 | waitstaff 3198 | 1 3199 | I was especially impressed during the bday party when the waitstaff went above and beyond in helping me decorate and bring out a bday cake as well as offering prompt and friendly $T$ to a 15 person party . 3200 | service 3201 | 1 3202 | The $T$ were nondescript combinations with fresh leaf salad . 3203 | chicken and falafel platters 3204 | 0 3205 | The chicken and falafel platters were nondescript combinations with $T$ . 3206 | fresh leaf salad 3207 | 0 3208 | The $T$ takes you to that place , the place many dream of . 3209 | atmosphere 3210 | 1 3211 | several times and put up with the $T$ ' bad manners , knowing that their job is n't easy . 3212 | waiters 3213 | 2 3214 | The service is great -LRB- maybe even borderline nagging but at least you get attention -RRB- , the $T$ are excellent and the coffee is so very good ... 3215 | desserts 3216 | 1 3217 | The service is great -LRB- maybe even borderline nagging but at least you get attention -RRB- , the desserts are excellent and the $T$ is so very good ... 3218 | coffee 3219 | 1 3220 | They are $T$ on Focacchia bread and are to die for . 3221 | served 3222 | 0 3223 | They are served on $T$ and are to die for . 3224 | Focacchia bread 3225 | 0 3226 | While the $T$ are a little big for me , the fresh juices are the best I have ever had ! 3227 | smoothies 3228 | 2 3229 | While the smoothies are a little big for me , the $T$ are the best I have ever had ! 3230 | fresh juices 3231 | 1 3232 | The food is just OKAY , and it 's almost not worth going unless you 're getting the $T$ , which is the only dish that 's really good . 3233 | pialla 3234 | 1 3235 | The food is just OKAY , and it 's almost not worth going unless you 're getting the pialla , which is the only $T$ that 's really good . 3236 | dish 3237 | 1 3238 | The guac is fresh , yet lacking flavor , we like to add our $T$ into it . 3239 | fresh salsa 3240 | 0 3241 | The guac is fresh , yet lacking $T$ , we like to add our fresh salsa into it . 3242 | flavor 3243 | 2 3244 | The new menu has a few creative items , they were smart enough to keep some of the old favorites -LRB- but they raised the $T$ -RRB- , the staff is friendly most of the time , but I must agree with the person that wrote about their favorite words : No , ca n't , sorry ... , boy , they wo n't bend the rules for anyone . 3245 | prices 3246 | 2 3247 | The $T$ has a few creative items , they were smart enough to keep some of the old favorites -LRB- but they raised the prices -RRB- , the staff is friendly most of the time , but I must agree with the person that wrote about their favorite words : No , ca n't , sorry ... , boy , they wo n't bend the rules for anyone . 3248 | new menu 3249 | 1 3250 | It ' only open for $T$ but the food is so good ! 3251 | lunch 3252 | 0 3253 | It ' only open for lunch but the $T$ is so good ! 3254 | food 3255 | 1 3256 | If you like $T$ and/or Greek food you will love this place though it is not limited to just these things . 3257 | seafood 3258 | 1 3259 | If you like seafood and/or $T$ you will love this place though it is not limited to just these things . 3260 | Greek food 3261 | 1 3262 | '' The $T$ includes pub fare -- burgers , steaks and shepherds pie -- and even a portabella lasagna for those black sheep known as `` vegetarians . 3263 | menu 3264 | 0 3265 | '' The menu includes pub fare -- $T$ , steaks and shepherds pie -- and even a portabella lasagna for those black sheep known as `` vegetarians . 3266 | burgers 3267 | 0 3268 | '' The menu includes pub fare -- burgers , $T$ and shepherds pie -- and even a portabella lasagna for those black sheep known as `` vegetarians . 3269 | steaks 3270 | 0 3271 | '' The menu includes pub fare -- burgers , steaks and $T$ -- and even a portabella lasagna for those black sheep known as `` vegetarians . 3272 | shepherds pie 3273 | 0 3274 | '' The menu includes pub fare -- burgers , steaks and shepherds pie -- and even a $T$ for those black sheep known as `` vegetarians . 3275 | portabella lasagna 3276 | 0 3277 | '' The menu includes $T$ -- burgers , steaks and shepherds pie -- and even a portabella lasagna for those black sheep known as `` vegetarians . 3278 | pub fare 3279 | 0 3280 | How can they survive serving mediocre $T$ at exorbitant prices ?! 3281 | food 3282 | 0 3283 | How can they survive serving mediocre food at exorbitant $T$ ?! 3284 | prices 3285 | 2 3286 | The food was mediocre and the $T$ was severely slow . 3287 | service 3288 | 2 3289 | The $T$ was mediocre and the service was severely slow . 3290 | food 3291 | 0 3292 | i have eaten here on a different occasion - the $T$ is mediocre for the prices . 3293 | food 3294 | 0 3295 | i have eaten here on a different occasion - the food is mediocre for the $T$ . 3296 | prices 3297 | 2 3298 | I 'm looking forward to going back soon and eventually trying most everything on the $T$ ! 3299 | menu 3300 | 1 3301 | I just had my first visit to this place and ca n't wait to go back and slowly work my way through the $T$ . 3302 | menu 3303 | 0 3304 | I asked repeatedly what the status of the meal was and was pretty much grunted at by the unbelievably rude $T$ . 3305 | waiter 3306 | 2 3307 | I asked repeatedly what the status of the $T$ was and was pretty much grunted at by the unbelievably rude waiter . 3308 | meal 3309 | 0 3310 | I stopped by for some $T$ today and had the vegan cranberry pancakes and some rice milk . 3311 | brunch 3312 | 0 3313 | I stopped by for some brunch today and had the $T$ and some rice milk . 3314 | vegan cranberry pancakes 3315 | 0 3316 | I stopped by for some brunch today and had the vegan cranberry pancakes and some $T$ . 3317 | rice milk 3318 | 0 3319 | Sweet Irish $T$ is always happy and able to bring a smile to my friends a my face . 3320 | bartender 3321 | 1 3322 | Its good to go there for drinks if you don't want to get drunk because you 'll be lucky if you can get one drink an hour the $T$ is so bad . 3323 | service 3324 | 2 3325 | Its good to go there for drinks if you don't want to get drunk because you 'll be lucky if you can get one $T$ an hour the service is so bad . 3326 | drink 3327 | 0 3328 | Its good to go there for $T$ if you don't want to get drunk because you 'll be lucky if you can get one drink an hour the service is so bad . 3329 | drinks 3330 | 0 3331 | Anyway , the $T$ was fake . 3332 | owner 3333 | 2 3334 | $T$ is pleasant and entertaining . 3335 | Owner 3336 | 1 3337 | I have never in my life sent back $T$ before , but I simply had to , and the waiter argued with me over this . 3338 | food 3339 | 2 3340 | I have never in my life sent back food before , but I simply had to , and the $T$ argued with me over this . 3341 | waiter 3342 | 2 3343 | Although the restaurant itself is nice , I prefer not to go for the $T$ . 3344 | food 3345 | 2 3346 | $T$ -- taramasalata , eggplant salad , and Greek yogurt -LRB- with cuccumber , dill , and garlic -RRB- taste excellent when on warm pitas . 3347 | Creamy appetizers 3348 | 1 3349 | Creamy appetizers -- taramasalata , eggplant salad , and Greek yogurt -LRB- with cuccumber , dill , and garlic -RRB- taste excellent when on $T$ . 3350 | warm pitas 3351 | 0 3352 | Creamy appetizers -- $T$ , eggplant salad , and Greek yogurt -LRB- with cuccumber , dill , and garlic -RRB- taste excellent when on warm pitas . 3353 | taramasalata 3354 | 1 3355 | Creamy appetizers -- taramasalata , $T$ , and Greek yogurt -LRB- with cuccumber , dill , and garlic -RRB- taste excellent when on warm pitas . 3356 | eggplant salad 3357 | 1 3358 | Creamy appetizers -- taramasalata , eggplant salad , and $T$ taste excellent when on warm pitas . 3359 | Greek yogurt (with cuccumber, dill, and garlic) 3360 | 1 3361 | -------------------------------------------------------------------------------- /main.py: -------------------------------------------------------------------------------- 1 | import pprint 2 | import tensorflow as tf 3 | from data import * 4 | from model import MemN2N 5 | 6 | pp = pprint.PrettyPrinter() 7 | 8 | flags = tf.app.flags 9 | 10 | flags.DEFINE_integer("edim", 300, "internal state dimension [300]") 11 | flags.DEFINE_integer("lindim", 100, "linear part of the state [75]") 12 | flags.DEFINE_integer("nhop", 3, "number of hops [7]") 13 | flags.DEFINE_integer("batch_size", 1, "batch size to use during training [1]") 14 | flags.DEFINE_integer("nepoch", 20, "number of epoch to use during training [100]") 15 | flags.DEFINE_float("init_lr", 0.01, "initial learning rate [0.01]") 16 | flags.DEFINE_float("init_hid", 0.1, "initial internal state value [0.1]") 17 | flags.DEFINE_float("init_std", 0.01, "weight initialization std [0.05]") 18 | flags.DEFINE_float("max_grad_norm", 100, "clip gradients to this norm [100]") 19 | flags.DEFINE_string("pretrain_embeddings", "glove-common_crawl_840", 20 | "pre-trained word embeddings [glove-wikipedia_gigaword, glove-common_crawl_48, glove-common_crawl_840]") 21 | flags.DEFINE_string("train_data", "data/Restaurants_Train_v2.xml.seg", "train gold data set path [./data/Laptops_Train.xml.seg]") 22 | flags.DEFINE_string("test_data", "data/Restaurants_Test_Gold.xml.seg", "test gold data set path [./data/Laptops_Test_Gold.xml.seg]") 23 | flags.DEFINE_boolean("show", False, "print progress [False]") 24 | 25 | FLAGS = flags.FLAGS 26 | 27 | 28 | def get_idx2word(word2idx): 29 | idx2word = {} 30 | for word, idx in word2idx.items(): 31 | idx2word[idx] = word 32 | return idx2word 33 | 34 | 35 | def main(_): 36 | source_word2idx, target_word2idx, word_set = {}, {}, {} 37 | max_sent_len = -1 38 | 39 | max_sent_len = get_dataset_resources(FLAGS.train_data, source_word2idx, target_word2idx, word_set, max_sent_len) 40 | max_sent_len = get_dataset_resources(FLAGS.test_data, source_word2idx, target_word2idx, word_set, max_sent_len) 41 | #embeddings = load_embedding_file(FLAGS.pretrain_embeddings, word_set) 42 | 43 | embeddings = init_word_embeddings(FLAGS.pretrain_embeddings, word_set, FLAGS.edim) 44 | train_data = get_dataset(FLAGS.train_data, source_word2idx, target_word2idx, embeddings) 45 | test_data = get_dataset(FLAGS.test_data, source_word2idx, target_word2idx, embeddings) 46 | 47 | print("train data size - ", len(train_data[0])) 48 | print("test data size - ", len(test_data[0])) 49 | 50 | print("max sentence length - ", max_sent_len) 51 | FLAGS.pad_idx = source_word2idx[''] 52 | FLAGS.nwords = len(source_word2idx) 53 | FLAGS.mem_size = max_sent_len 54 | 55 | pp.pprint(flags.FLAGS.__flags) 56 | 57 | print('loading pre-trained word vectors...') 58 | print('loading pre-trained word vectors for train and test data') 59 | 60 | FLAGS.pre_trained_context_wt, FLAGS.pre_trained_target_wt = get_embedding_matrix(embeddings, source_word2idx, target_word2idx, FLAGS.edim) 61 | 62 | source_idx2word, target_idx2word = get_idx2word(source_word2idx), get_idx2word(target_word2idx) 63 | 64 | with tf.Session() as sess: 65 | model = MemN2N(FLAGS, sess, source_idx2word, target_idx2word) 66 | model.build_model() 67 | model.run(train_data, test_data) 68 | 69 | if __name__ == '__main__': 70 | tf.app.run() 71 | -------------------------------------------------------------------------------- /model.py: -------------------------------------------------------------------------------- 1 | import codecs 2 | import math 3 | import numpy as np 4 | import tensorflow as tf 5 | from past.builtins import xrange 6 | 7 | 8 | class MemN2N(object): 9 | def __init__(self, config, sess, source_idx2word, target_idx2word): 10 | self.nwords = config.nwords 11 | self.init_hid = config.init_hid 12 | self.init_std = config.init_std 13 | self.batch_size = config.batch_size 14 | self.nepoch = config.nepoch 15 | self.nhop = config.nhop 16 | self.edim = config.edim 17 | self.mem_size = config.mem_size 18 | self.lindim = config.lindim 19 | self.max_grad_norm = config.max_grad_norm 20 | self.pad_idx = config.pad_idx 21 | self.pre_trained_context_wt = config.pre_trained_context_wt 22 | self.pre_trained_target_wt = config.pre_trained_target_wt 23 | self.source_idx2word = source_idx2word 24 | self.target_idx2word = target_idx2word 25 | 26 | self.input = tf.placeholder(tf.int32, [self.batch_size, 1], name="input") 27 | self.time = tf.placeholder(tf.int32, [None, self.mem_size], name="time") 28 | self.target = tf.placeholder(tf.int64, [self.batch_size], name="target") 29 | self.context = tf.placeholder(tf.int32, [self.batch_size, self.mem_size], name="context") 30 | self.mask = tf.placeholder(tf.float32, [self.batch_size, self.mem_size], name="mask") 31 | self.neg_inf = tf.fill([self.batch_size, self.mem_size], -1 * np.inf, name="neg_inf") 32 | 33 | self.show = config.show 34 | 35 | self.hid = [] 36 | 37 | self.lr = None 38 | self.current_lr = config.init_lr 39 | self.loss = None 40 | self.step = None 41 | self.optim = None 42 | 43 | self.sess = sess 44 | self.log_loss = [] 45 | self.log_perp = [] 46 | 47 | def build_memory(self): 48 | self.global_step = tf.Variable(0, name="global_step") 49 | 50 | self.A = tf.Variable(tf.random_uniform([self.nwords, self.edim], minval=-0.01, maxval=0.01)) 51 | self.ASP = tf.Variable( 52 | tf.random_uniform([self.pre_trained_target_wt.shape[0], self.edim], minval=-0.01, maxval=0.01)) 53 | self.C = tf.Variable(tf.random_uniform([self.edim, self.edim], minval=-0.01, maxval=0.01)) 54 | self.C_B = tf.Variable(tf.random_uniform([1, self.edim], minval=-0.01, maxval=0.01)) 55 | self.BL_W = tf.Variable(tf.random_uniform([2 * self.edim, 1], minval=-0.01, maxval=0.01)) 56 | self.BL_B = tf.Variable(tf.random_uniform([1, 1], minval=-0.01, maxval=0.01)) 57 | 58 | # # Location 59 | # location_encoding = 1 - tf.truediv(self.time, self.mem_size) 60 | # location_encoding = tf.cast(location_encoding, tf.float32) 61 | # location_encoding3dim = tf.tile(tf.expand_dims(location_encoding, 2), [1, 1, self.edim]) 62 | 63 | self.Ain_c = tf.nn.embedding_lookup(self.A, self.context) 64 | # self.Ain = self.Ain_c * location_encoding3dim 65 | self.Ain = self.Ain_c 66 | 67 | self.ASPin = tf.nn.embedding_lookup(self.ASP, self.input) 68 | self.ASPout2dim = tf.reshape(self.ASPin, [-1, self.edim]) 69 | self.hid.append(self.ASPout2dim) 70 | 71 | for h in xrange(self.nhop): 72 | ''' 73 | Bi-linear scoring function for a context word and aspect term 74 | ''' 75 | self.til_hid = tf.tile(self.hid[-1], [1, self.mem_size]) 76 | self.til_hid3dim = tf.reshape(self.til_hid, [-1, self.mem_size, self.edim]) 77 | self.a_til_concat = tf.concat(axis=2, values=[self.til_hid3dim, self.Ain]) 78 | self.til_bl_wt = tf.tile(self.BL_W, [self.batch_size, 1]) 79 | self.til_bl_3dim = tf.reshape(self.til_bl_wt, [self.batch_size, 2 * self.edim, -1]) 80 | self.att = tf.matmul(self.a_til_concat, self.til_bl_3dim) 81 | self.til_bl_b = tf.tile(self.BL_B, [self.batch_size, self.mem_size]) 82 | self.til_bl_3dim = tf.reshape(self.til_bl_b, [-1, self.mem_size, 1]) 83 | self.g = tf.nn.tanh(tf.add(self.att, self.til_bl_3dim)) 84 | self.g_2dim = tf.reshape(self.g, [-1, self.mem_size]) 85 | self.masked_g_2dim = tf.add(self.g_2dim, self.mask) 86 | self.P = tf.nn.softmax(self.masked_g_2dim) 87 | self.probs3dim = tf.reshape(self.P, [-1, 1, self.mem_size]) 88 | 89 | self.Aout = tf.matmul(self.probs3dim, self.Ain) 90 | self.Aout2dim = tf.reshape(self.Aout, [self.batch_size, self.edim]) 91 | 92 | Cout = tf.matmul(self.hid[-1], self.C) 93 | til_C_B = tf.tile(self.C_B, [self.batch_size, 1]) 94 | Cout_add = tf.add(Cout, til_C_B) 95 | self.Dout = tf.add(Cout_add, self.Aout2dim) 96 | 97 | if self.lindim == self.edim: 98 | self.hid.append(self.Dout) 99 | elif self.lindim == 0: 100 | self.hid.append(tf.nn.relu(self.Dout)) 101 | else: 102 | F = tf.slice(self.Dout, [0, 0], [self.batch_size, self.lindim]) 103 | G = tf.slice(self.Dout, [0, self.lindim], [self.batch_size, self.edim - self.lindim]) 104 | K = tf.nn.relu(G) 105 | self.hid.append(tf.concat(axis=1, values=[F, K])) 106 | 107 | def build_model(self): 108 | self.build_memory() 109 | 110 | self.W = tf.Variable(tf.random_uniform([self.edim, 3], minval=-0.01, maxval=0.01)) 111 | self.z = tf.matmul(self.hid[-1], self.W) 112 | 113 | self.loss = tf.nn.sparse_softmax_cross_entropy_with_logits(logits=self.z, labels=self.target) 114 | 115 | self.lr = tf.Variable(self.current_lr) 116 | self.opt = tf.train.AdagradOptimizer(self.lr) 117 | 118 | params = [self.A, self.C, self.C_B, self.W, self.BL_W, self.BL_B] 119 | 120 | self.loss = tf.reduce_sum(self.loss) 121 | 122 | grads_and_vars = self.opt.compute_gradients(self.loss, params) 123 | clipped_grads_and_vars = [(tf.clip_by_norm(gv[0], self.max_grad_norm), gv[1]) \ 124 | for gv in grads_and_vars] 125 | 126 | inc = self.global_step.assign_add(1) 127 | with tf.control_dependencies([inc]): 128 | self.optim = self.opt.apply_gradients(clipped_grads_and_vars) 129 | 130 | tf.global_variables_initializer().run() 131 | 132 | self.correct_prediction = tf.argmax(self.z, 1) 133 | 134 | def train(self, data): 135 | source_data, source_loc_data, target_data, target_label = data 136 | N = int(math.ceil(len(source_data) / self.batch_size)) 137 | cost = 0 138 | 139 | x = np.ndarray([self.batch_size, 1], dtype=np.int32) 140 | time = np.ndarray([self.batch_size, self.mem_size], dtype=np.int32) 141 | target = np.zeros([self.batch_size], dtype=np.int32) 142 | context = np.ndarray([self.batch_size, self.mem_size], dtype=np.int32) 143 | mask = np.ndarray([self.batch_size, self.mem_size]) 144 | 145 | if self.show: 146 | from utils import ProgressBar 147 | bar = ProgressBar('Train', max=N) 148 | 149 | rand_idx, cur = np.random.permutation(len(source_data)), 0 150 | for idx in xrange(N): 151 | if self.show: bar.next() 152 | 153 | context.fill(self.pad_idx) 154 | time.fill(self.mem_size) 155 | target.fill(0) 156 | mask.fill(-1.0 * np.inf) 157 | 158 | for b in xrange(self.batch_size): 159 | if cur >= len(rand_idx): break 160 | m = rand_idx[cur] 161 | x[b][0] = target_data[m] 162 | target[b] = target_label[m] 163 | time[b, :len(source_loc_data[m])] = source_loc_data[m] 164 | context[b, :len(source_data[m])] = source_data[m] 165 | mask[b, :len(source_data[m])].fill(0) 166 | cur = cur + 1 167 | 168 | z, _, loss, self.step = self.sess.run([self.z, self.optim, 169 | self.loss, 170 | self.global_step], 171 | feed_dict={ 172 | self.input: x, 173 | self.time: time, 174 | self.target: target, 175 | self.context: context, 176 | self.mask: mask}) 177 | 178 | cost += np.sum(loss) 179 | 180 | if self.show: bar.finish() 181 | _, train_acc, _, _, _, _ = self.test(data) 182 | return cost / N / self.batch_size, train_acc 183 | 184 | def test(self, data): 185 | source_data, source_loc_data, target_data, target_label = data 186 | N = int(math.ceil(len(source_data) / self.batch_size)) 187 | cost = 0 188 | 189 | x = np.ndarray([self.batch_size, 1], dtype=np.int32) 190 | time = np.ndarray([self.batch_size, self.mem_size], dtype=np.int32) 191 | target = np.zeros([self.batch_size], dtype=np.int32) 192 | context = np.ndarray([self.batch_size, self.mem_size], dtype=np.int32) 193 | mask = np.ndarray([self.batch_size, self.mem_size]) 194 | 195 | context.fill(self.pad_idx) 196 | 197 | m, acc = 0, 0 198 | predicts, labels = [], [] 199 | sentences, targets = [], [] 200 | for i in xrange(N): 201 | target.fill(0) 202 | time.fill(self.mem_size) 203 | context.fill(self.pad_idx) 204 | mask.fill(-1.0 * np.inf) 205 | 206 | raw_labels = [] 207 | for b in xrange(self.batch_size): 208 | if m >= len(target_label): break 209 | 210 | x[b][0] = target_data[m] 211 | target[b] = target_label[m] 212 | time[b, :len(source_loc_data[m])] = source_loc_data[m] 213 | context[b, :len(source_data[m])] = source_data[m] 214 | mask[b, :len(source_data[m])].fill(0) 215 | raw_labels.append(target_label[m]) 216 | sentences.append(source_data[m]) 217 | targets.append(target_data[m]) 218 | m += 1 219 | 220 | loss = self.sess.run([self.loss], 221 | feed_dict={ 222 | self.input: x, 223 | self.time: time, 224 | self.target: target, 225 | self.context: context, 226 | self.mask: mask}) 227 | cost += np.sum(loss) 228 | 229 | predictions = self.sess.run(self.correct_prediction, feed_dict={self.input: x, 230 | self.time: time, 231 | self.target: target, 232 | self.context: context, 233 | self.mask: mask}) 234 | for b in xrange(self.batch_size): 235 | if b >= len(raw_labels): break 236 | predicts.append(predictions[b]) 237 | labels.append(raw_labels[b]) 238 | if raw_labels[b] == predictions[b]: 239 | acc = acc + 1 240 | 241 | return cost / float(len(source_data)), acc / float(len(source_data)), predicts, labels, sentences, targets 242 | 243 | def run(self, train_data, test_data): 244 | print('training...') 245 | self.sess.run(self.A.assign(self.pre_trained_context_wt)) 246 | self.sess.run(self.ASP.assign(self.pre_trained_target_wt)) 247 | 248 | best_acc = 0 249 | for idx in xrange(self.nepoch): 250 | print('epoch ' + str(idx) + '...') 251 | train_loss, train_acc = self.train(train_data) 252 | test_loss, test_acc, predicts, labels, sentences, targets = self.test(test_data) 253 | if best_acc < test_acc*100: 254 | best_acc = test_acc*100 255 | print('train-loss=%.2f;train-acc=%.2f;test-acc=%.2f;' % (train_loss, train_acc*100, test_acc*100)) 256 | self.log_loss.append([train_loss, test_loss]) 257 | print('best-acc=%.2f' % best_acc) 258 | -------------------------------------------------------------------------------- /requirements.txt: -------------------------------------------------------------------------------- 1 | absl-py==0.4.1 2 | astor==0.7.1 3 | bleach==1.5.0 4 | certifi==2018.8.24 5 | chardet==3.0.4 6 | embeddings==0.0.6 7 | enum34==1.1.6 8 | future==0.16.0 9 | gast==0.2.0 10 | grpcio==1.14.2 11 | html5lib==0.9999999 12 | idna==2.7 13 | Markdown==2.6.11 14 | nltk==3.3 15 | numpy==1.14.5 16 | pkg-resources==0.0.0 17 | progress==1.4 18 | protobuf==3.6.1 19 | requests==2.19.1 20 | six==1.11.0 21 | tensorboard==1.10.0 22 | tensorflow==1.4.1 23 | tensorflow-tensorboard==0.4.0 24 | termcolor==1.1.0 25 | tqdm==4.25.0 26 | urllib3==1.23 27 | Werkzeug==0.14.1 28 | -------------------------------------------------------------------------------- /utils.py: -------------------------------------------------------------------------------- 1 | from progress.bar import Bar 2 | 3 | class ProgressBar(Bar): 4 | message = 'Loading' 5 | fill = '#' 6 | suffix = '%(percent).1f%% | ETA: %(eta)ds' --------------------------------------------------------------------------------