├── .gitignore ├── README.md ├── boost_aug ├── __init__.py └── boostaug_core.py ├── clean.py ├── datasets ├── apc_datasets │ ├── MAMS │ │ ├── test.xml.dat │ │ ├── test.xml.dat.inference │ │ ├── train.xml.dat │ │ ├── train.xml.dat.inference │ │ ├── valid.xml.dat │ │ └── valid.xml.dat.inference │ └── SemEval │ │ ├── laptop14 │ │ ├── Laptops_Test_Gold.xml.seg │ │ ├── Laptops_Test_Gold.xml.seg.inference │ │ ├── Laptops_Train.xml.seg │ │ └── Laptops_Train.xml.seg.inference │ │ ├── restaurant14 │ │ ├── Restaurants_Test_Gold.xml.seg │ │ ├── Restaurants_Test_Gold.xml.seg.inference │ │ ├── Restaurants_Train.xml.seg │ │ └── Restaurants_Train.xml.seg.inference │ │ ├── restaurant15 │ │ ├── restaurant_test.raw │ │ ├── restaurant_test.raw.inference │ │ ├── restaurant_train.raw │ │ └── restaurant_train.raw.inference │ │ └── restaurant16 │ │ ├── restaurant_test.raw │ │ ├── restaurant_test.raw.inference │ │ ├── restaurant_train.raw │ │ └── restaurant_train.raw.inference └── text_classification │ ├── AGNews10K │ ├── AGNews10K.test.dat │ ├── AGNews10K.train.dat │ └── AGNews10K.valid.dat │ ├── SST2 │ ├── stsa.binary.dev.dat │ ├── stsa.binary.dev.dat.inference │ ├── stsa.binary.test.dat │ ├── stsa.binary.test.dat.inference │ ├── stsa.binary.train.dat │ └── stsa.binary.train.dat.inference │ └── SST5 │ ├── stsa.fine.dev.dat │ ├── stsa.fine.dev.dat.inference │ ├── stsa.fine.test.dat │ ├── stsa.fine.test.dat.inference │ ├── stsa.fine.train.dat │ └── stsa.fine.train.dat.inference ├── experiment_absc └── main_experiments_absc.py ├── experiment_tc └── main_experiments_tc.py ├── setup.py ├── simple_augmentation_api └── augment_test.py └── test.py /.gitignore: -------------------------------------------------------------------------------- 1 | # dev files 2 | *.cache 3 | *.dev.py 4 | state_dict/ 5 | *.results 6 | *.tokenizer 7 | *.model 8 | *.state_dict 9 | *.config 10 | *.args 11 | *.zip 12 | *.gz 13 | *.bin 14 | *.result.txt 15 | *.DS_Store 16 | *.tmp 17 | *.args.txt 18 | # Byte-compiled / optimized / DLL files 19 | __pycache__/ 20 | *.py[cod] 21 | *$py.class 22 | *.pyc 23 | *.result.json 24 | .idea/ 25 | experiments/ 26 | experiment_absc/ 27 | experiment_tc/ 28 | wandb/ 29 | # Embedding 30 | glove.840B.300d.txt 31 | glove.42B.300d.txt 32 | glove.twitter.27B.txt 33 | 34 | # project main files 35 | release_note.json 36 | 37 | # C extensions 38 | *.so 39 | 40 | # Distribution / packaging 41 | .Python 42 | build/ 43 | develop-eggs/ 44 | dist/ 45 | downloads/ 46 | eggs/ 47 | .eggs/ 48 | lib64/ 49 | parts/ 50 | sdist/ 51 | var/ 52 | wheels/ 53 | pip-wheel-metadata/ 54 | share/python-wheels/ 55 | *.egg-info/ 56 | .installed.cfg 57 | *.egg 58 | MANIFEST 59 | 60 | # PyInstaller 61 | # Usually these files are written by a python script from a template 62 | # before PyInstaller builds the exe, so as to inject date/other infos into it. 63 | *.manifest 64 | *.spec 65 | 66 | # Installer training_logs 67 | pip-log.txt 68 | pip-delete-this-directory.txt 69 | 70 | # Unit test / coverage reports 71 | htmlcov/ 72 | .tox/ 73 | .nox/ 74 | .coverage 75 | .coverage.* 76 | .cache 77 | nosetests.xml 78 | coverage.xml 79 | *.cover 80 | *.py,cover 81 | .hypothesis/ 82 | .pytest_cache/ 83 | 84 | # Translations 85 | *.mo 86 | *.pot 87 | 88 | # Django stuff: 89 | *.log 90 | local_settings.py 91 | db.sqlite3 92 | db.sqlite3-journal 93 | 94 | # Flask stuff: 95 | instance/ 96 | .webassets-cache 97 | 98 | # Scrapy stuff: 99 | .scrapy 100 | 101 | # Sphinx documentation 102 | docs/_build/ 103 | 104 | # PyBuilder 105 | target/ 106 | 107 | # Jupyter Notebook 108 | .ipynb_checkpoints 109 | 110 | # IPython 111 | profile_default/ 112 | ipython_config.py 113 | 114 | # pyenv 115 | .python-version 116 | 117 | # pipenv 118 | # According to pypa/pipenv#598, it is recommended to include Pipfile.lock in version control. 119 | # However, in case of collaboration, if having platform-specific dependencies or dependencies 120 | # having no cross-platform support, pipenv may install dependencies that don't work, or not 121 | # install all needed dependencies. 122 | #Pipfile.lock 123 | 124 | # celery beat schedule file 125 | celerybeat-schedule 126 | 127 | # SageMath parsed files 128 | *.sage.py 129 | 130 | # Environments 131 | .env 132 | .venv 133 | env/ 134 | venv/ 135 | ENV/ 136 | env.bak/ 137 | venv.bak/ 138 | 139 | # Spyder project settings 140 | .spyderproject 141 | .spyproject 142 | 143 | # Rope project settings 144 | .ropeproject 145 | 146 | # mkdocs documentation 147 | /site 148 | 149 | # mypy 150 | .mypy_cache/ 151 | .dmypy.json 152 | dmypy.json 153 | 154 | # Pyre type checker 155 | .pyre/ 156 | .DS_Store 157 | .DS_Store 158 | examples/.DS_Store 159 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Boosting Data Augmentation for Text Classification 2 | 3 | [![Downloads](https://pepy.tech/badge/boostaug)](https://pepy.tech/project/boostaug) 4 | [![Downloads](https://pepy.tech/badge/boostaug/month)](https://pepy.tech/project/boostaug) 5 | [![Downloads](https://pepy.tech/badge/boostaug/week)](https://pepy.tech/project/boostaug) 6 | 7 | Codes for ACL2023 Findings paper: [Boosting Text Augmentation via Hybrid Instance Filtering Framework](https://aclanthology.org/2023.findings-acl.105) 8 | 9 | 10 | # Usage in PyABSA 11 | you can find examples for augmenting text classification and aspect-term sentiment classification at https://github.com/yangheng95/PyABSA/tree/v2/examples-v2/text_augmentation 12 | 13 | ## Notice 14 | 15 | This tool depends on the [PyABSA](https://github.com/yangheng95/PyABSA), 16 | and is integrated with the [ABSADatasets](https://github.com/yangheng95/ABSADatasets). 17 | 18 | To augment your own dataset, you need to prepare your dataset according to **ABSADatasets**. 19 | Refer to the [instruction to process](https://github.com/yangheng95/ABSADatasets) 20 | or [annotate your dataset](https://github.com/yangheng95/ABSADatasets/tree/v1.2/DPT). 21 | 22 | 23 | ## Install BoostAug 24 | 25 | ### Install from source 26 | 27 | ```bash 28 | git clone https://github.com/yangheng95/BoostTextAugmentation 29 | 30 | cd BoostTextAugmentation 31 | 32 | pip install . 33 | ``` 34 | 35 | ## MUST READ 36 | 37 | - If the augmentation traning is terminated by accidently or you want to rerun augmentation, set `rewrite_cache=True` 38 | in augmentation. 39 | - If you have many datasets, run augmentation for differnet datasets IN SEPARATE FOLDER, otherwise `IO OPERATION` 40 | may CORRUPT other datasets 41 | 42 | # Notice 43 | 44 | This is the draft code, so do not perform cross-boosting on different dataset in the same folder, which will raise some 45 | Exception 46 | 47 | # Citation 48 | ``` 49 | @inproceedings{yang-li-2023-boosting, 50 | title = "Boosting Text Augmentation via Hybrid Instance Filtering Framework", 51 | author = "Yang, Heng and 52 | Li, Ke", 53 | booktitle = "Findings of the Association for Computational Linguistics: ACL 2023", 54 | month = jul, 55 | year = "2023", 56 | address = "Toronto, Canada", 57 | publisher = "Association for Computational Linguistics", 58 | url = "https://aclanthology.org/2023.findings-acl.105", 59 | pages = "1652--1669", 60 | } 61 | ``` 62 | -------------------------------------------------------------------------------- /boost_aug/__init__.py: -------------------------------------------------------------------------------- 1 | __version__ = "2.3.5" 2 | __name__ = "boostaug" 3 | 4 | from boost_aug.boostaug_core import ( 5 | ABSCBoostAug, 6 | TCBoostAug, 7 | TADBoostAug, 8 | AugmentBackend, 9 | ) 10 | -------------------------------------------------------------------------------- /clean.py: -------------------------------------------------------------------------------- 1 | import os 2 | 3 | from findfile import rm_dirs 4 | 5 | rm_dirs(os.getcwd(), or_key=["cache", ".idea", ".mv"]) 6 | -------------------------------------------------------------------------------- /datasets/apc_datasets/SemEval/laptop14/Laptops_Test_Gold.xml.seg.inference: -------------------------------------------------------------------------------- 1 | [ASP]Boot time[ASP] is super fast , around anywhere from 35 seconds to 1 minute . !sent! Positive 2 | [ASP]tech support[ASP] would not fix the problem unless I bought your plan for $ 150 plus . !sent! Negative 3 | [ASP]Set up[ASP] was easy . !sent! Positive 4 | Did not enjoy the new [ASP]Windows 8[ASP] and touchscreen functions . !sent! Negative 5 | Did not enjoy the new Windows 8 and [ASP]touchscreen functions[ASP] . !sent! Negative 6 | Other than not being a fan of click pads -LRB- industry standard these days -RRB- and the lousy [ASP]internal speakers[ASP] , it 's hard for me to find things about this notebook I do n't like , especially considering the $ 350 price tag . !sent! Negative 7 | 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 do n't like , especially considering the $ 350 [ASP]price tag[ASP] . !sent! Positive 8 | Other than not being a fan of [ASP]click pads[ASP] -LRB- industry standard these days -RRB- and the lousy internal speakers , it 's hard for me to find things about this notebook I do n't like , especially considering the $ 350 price tag . !sent! Negative 9 | No [ASP]installation disk (DVD)[ASP] is included . !sent! Neutral 10 | It 's fast , light , and simple to [ASP]use[ASP] . !sent! Positive 11 | [ASP]Works[ASP] well , and I am extremely happy to be back to an apple OS . !sent! Positive 12 | Works well , and I am extremely happy to be back to an [ASP]apple OS[ASP] . !sent! Positive 13 | Sure it 's not light and slim but the [ASP]features[ASP] make up for it 100 % . !sent! Positive 14 | I am pleased with the fast [ASP]log on[ASP] , speedy WiFi connection and the long battery life -LRB- > 6 hrs -RRB- . !sent! Positive 15 | I am pleased with the fast log on , speedy [ASP]WiFi connection[ASP] and the long battery life -LRB- > 6 hrs -RRB- . !sent! Positive 16 | I am pleased with the fast log on , speedy WiFi connection and the long [ASP]battery life[ASP] -LRB- > 6 hrs -RRB- . !sent! Positive 17 | The Apple engineers have not yet discovered the [ASP]delete key[ASP] . !sent! Negative 18 | Made [ASP]interneting[ASP] -LRB- part of my business -RRB- very difficult to maintain . !sent! Negative 19 | Luckily , for all of us contemplating the decision , the Mac Mini is [ASP]priced[ASP] just right . !sent! Positive 20 | Super light , super sexy and everything just [ASP]works[ASP] . !sent! Positive 21 | Only problem that I had was that the [ASP]track pad[ASP] was not very good for me , I only had a problem once or twice with it , But probably my computer was a bit defective . !sent! Negative 22 | It is super fast and has outstanding [ASP]graphics[ASP] . !sent! Positive 23 | But the [ASP]mountain lion[ASP] is just too slow . !sent! Negative 24 | Strong build though which really adds to its [ASP]durability[ASP] . !sent! Positive 25 | Strong [ASP]build[ASP] though which really adds to its durability . !sent! Positive 26 | The [ASP]battery life[ASP] is excellent - 6-7 hours without charging . !sent! Positive 27 | I 've had my computer for 2 weeks already and it [ASP]works[ASP] perfectly . !sent! Positive 28 | And I may be the only one but I am really liking [ASP]Windows 8[ASP] . !sent! Positive 29 | The [ASP]baterry[ASP] is very longer . !sent! Positive 30 | Its [ASP]size[ASP] is ideal and the weight is acceptable . !sent! Positive 31 | Its size is ideal and the [ASP]weight[ASP] is acceptable . !sent! Positive 32 | I can say that I am fully satisfied with the [ASP]performance[ASP] that the computer has supplied . !sent! Positive 33 | This laptop has only 2 [ASP]USB ports[ASP] , and they are both on the same side . !sent! Negative 34 | It has so much more [ASP]speed[ASP] and the screen is very sharp . !sent! Positive 35 | It has so much more speed and the [ASP]screen[ASP] is very sharp . !sent! Positive 36 | Everything I wanted and everything I needed and the [ASP]price[ASP] was great ! !sent! Positive 37 | It 's not inexpensive but the [ASP]Hardware performance[ASP] is impressive for a computer this small . !sent! Positive 38 | This thing is awesome , everything always [ASP]works[ASP] , everything is always easy to set up , everything is compatible , its literally everything I could ask for . !sent! Positive 39 | This thing is awesome , everything always works , everything is always easy to [ASP]set up[ASP] , everything is compatible , its literally everything I could ask for . !sent! Positive 40 | [ASP]Keyboard[ASP] responds well to presses . !sent! Positive 41 | Lastly , [ASP]Windows 8[ASP] is annoying . !sent! Negative 42 | Everything is so easy and intuitive to [ASP]setup[ASP] or configure . !sent! Positive 43 | Everything is so easy and intuitive to setup or [ASP]configure[ASP] . !sent! Positive 44 | Biggest complaint is [ASP]Windows 8[ASP] . !sent! Negative 45 | Only 2 [ASP]usb ports[ASP] ... seems kind of ... limited . !sent! Negative 46 | It has all the expected [ASP]features[ASP] and more + plus a wide screen and more than roomy keyboard . !sent! Positive 47 | It has all the expected features and more + plus a wide [ASP]screen[ASP] and more than roomy keyboard . !sent! Positive 48 | It has all the expected features and more + plus a wide screen and more than roomy [ASP]keyboard[ASP] . !sent! Positive 49 | Amazing [ASP]Performance[ASP] for anything I throw at it . !sent! Positive 50 | The receiver was full of superlatives for the [ASP]quality[ASP] and performance . !sent! Positive 51 | The receiver was full of superlatives for the quality and [ASP]performance[ASP] . !sent! Positive 52 | I was extremely happy with the [ASP]OS[ASP] itself . !sent! Positive 53 | The new MBP offers great [ASP]portability[ASP] and gives us confidence that we are not going to need to purchase a new laptop in 18 months . !sent! Positive 54 | The criticism has waned , and now I 'd be the first to recommend an Air for truly [ASP]portable computing[ASP] . !sent! Positive 55 | I would have given it 5 starts was it not for the fact that it had [ASP]Windows 8[ASP] !sent! Negative 56 | [ASP]MS Office 2011 for Mac[ASP] is wonderful , well worth it . !sent! Positive 57 | But the [ASP]performance[ASP] of Mac Mini is a huge disappointment . !sent! Negative 58 | They do n't just [ASP]look[ASP] good ; they deliver excellent performance . !sent! Positive 59 | They do n't just look good ; they deliver excellent [ASP]performance[ASP] . !sent! Positive 60 | I have had it over a year now with out a Glitch of any kind . . I love the [ASP]lit up keys[ASP] and screen display ... this thing is Fast and clear as can be . !sent! Positive 61 | I have had it over a year now with out a Glitch of any kind . . I love the lit up keys and [ASP]screen display[ASP] ... this thing is Fast and clear as can be . !sent! Positive 62 | The [ASP]Mountain Lion OS[ASP] is not hard to figure out if you are familiar with Microsoft Windows . !sent! Positive 63 | The Mountain Lion OS is not hard to figure out if you are familiar with [ASP]Microsoft Windows[ASP] . !sent! Neutral 64 | However , I can refute that [ASP]OSX[ASP] is `` FAST '' . !sent! Negative 65 | Enjoy using [ASP]Microsoft Office[ASP] ! !sent! Positive 66 | Incredible [ASP]graphics[ASP] and brilliant colors . !sent! Positive 67 | Incredible graphics and brilliant [ASP]colors[ASP] . !sent! Positive 68 | [ASP]Built-in apps[ASP] are purely amazing . !sent! Positive 69 | Cons : [ASP]Screen resolution[ASP] . !sent! Negative 70 | From the speed to the multi touch gestures this [ASP]operating system[ASP] beats Windows easily . !sent! Positive 71 | From the speed to the multi touch gestures this operating system beats [ASP]Windows[ASP] easily . !sent! Negative 72 | From the [ASP]speed[ASP] to the multi touch gestures this operating system beats Windows easily . !sent! Positive 73 | From the speed to the [ASP]multi touch gestures[ASP] this operating system beats Windows easily . !sent! Positive 74 | I really like the [ASP]size[ASP] and I 'm a fan of the ACERS . !sent! Positive 75 | I opted for the [ASP]SquareTrade 3-Year Computer Accidental Protection Warranty[ASP] -LRB- $ 1500-2000 -RRB- which also support `` accidents '' like drops and spills that are NOT covered by AppleCare . !sent! Positive 76 | 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 [ASP]AppleCare[ASP] . !sent! Negative 77 | It 's light and easy to [ASP]transport[ASP] . !sent! Positive 78 | Once you get past learning how to use the poorly designed [ASP]Windows 8 Set-Up[ASP] you may feel frustrated . !sent! Negative 79 | It 's been time for a new laptop , and the only debate was which [ASP]size[ASP] of the Mac laptops , and whether to spring for the retina display . !sent! Neutral 80 | 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 [ASP]retina display[ASP] . !sent! Neutral 81 | The reason why I choose apple MacBook because of their [ASP]design[ASP] and the aluminum casing . !sent! Positive 82 | The reason why I choose apple MacBook because of their design and the [ASP]aluminum casing[ASP] . !sent! Positive 83 | The [ASP]aluminum body[ASP] sure makes it stand out . !sent! Positive 84 | It is very easy to [ASP]integrate bluetooth devices[ASP] , and USB devices are recognized almost instantly . !sent! Positive 85 | It is very easy to integrate bluetooth devices , and [ASP]USB devices[ASP] are recognized almost instantly . !sent! Positive 86 | And the fact that Apple is driving the 13 '' RMBP with the [ASP]Intel4000 graphic chip[ASP] seems underpowered -LRB- to me . !sent! Negative 87 | Apple removed the [ASP]DVD drive Firewire port[ASP] -LRB- will work with adapter -RRB- and put the SDXC slot in a silly position on the back . !sent! Neutral 88 | Apple removed the DVD drive Firewire port -LRB- will work with [ASP]adapter[ASP] -RRB- and put the SDXC slot in a silly position on the back . !sent! Neutral 89 | Apple removed the DVD drive Firewire port -LRB- will work with adapter -RRB- and put the [ASP]SDXC slot[ASP] in a silly position on the back . !sent! Negative 90 | The [ASP]durability[ASP] of the laptop will make it worth the money . !sent! Positive 91 | Well [ASP]designed[ASP] and fast . !sent! Positive 92 | But I was completely wrong , this computer is UNBELIEVABLE amazing and easy to [ASP]use[ASP] . !sent! Positive 93 | Exactly as posted plus a great [ASP]value[ASP] . !sent! Positive 94 | The [ASP]specs[ASP] are pretty good too . !sent! Positive 95 | Apple is unmatched in [ASP]product quality[ASP] , aesthetics , craftmanship , and customer service . !sent! Positive 96 | Apple is unmatched in product quality , [ASP]aesthetics[ASP] , craftmanship , and customer service . !sent! Positive 97 | Apple is unmatched in product quality , aesthetics , [ASP]craftmanship[ASP] , and customer service . !sent! Positive 98 | Apple is unmatched in product quality , aesthetics , craftmanship , and [ASP]customer service[ASP] . !sent! Positive 99 | It is a great [ASP]size[ASP] and amazing windows 8 included ! !sent! Positive 100 | It is a great size and amazing [ASP]windows 8[ASP] included ! !sent! Positive 101 | I do not like too much [ASP]Windows 8[ASP] . !sent! Negative 102 | [ASP]Startup times[ASP] are incredibly long : over two minutes . !sent! Negative 103 | Also stunning [ASP]colors[ASP] and speedy !sent! Positive 104 | great [ASP]price[ASP] free shipping what else can i ask for !! !sent! Positive 105 | great price free [ASP]shipping[ASP] what else can i ask for !! !sent! Positive 106 | This [ASP]mouse[ASP] is terrific . !sent! Positive 107 | It is really thick around the [ASP]battery[ASP] . !sent! Neutral 108 | And [ASP]windows 7[ASP] works like a charm . !sent! Positive 109 | :-RRB- Great product , great [ASP]price[ASP] , great delivery , and great service . !sent! Positive 110 | :-RRB- Great product , great price , great [ASP]delivery[ASP] , and great service . !sent! Positive 111 | :-RRB- Great product , great price , great delivery , and great [ASP]service[ASP] . !sent! Positive 112 | :] It arrived so fast and [ASP]customer service[ASP] was great . !sent! Positive 113 | tried [ASP]windows 8[ASP] and hated it !!! !sent! Negative 114 | [ASP]Set up[ASP] was a breeze . !sent! Positive 115 | But I do NOT like [ASP]Win8[ASP] . !sent! Negative 116 | I am still in the process of learning about its [ASP]features[ASP] . !sent! Neutral 117 | I had the same reasons as most PC users : the [ASP]price[ASP] , the overbearing restrictions of OSX and lack of support for games . !sent! Negative 118 | I had the same reasons as most PC users : the price , the overbearing restrictions of [ASP]OSX[ASP] and lack of support for games . !sent! Negative 119 | I had the same reasons as most PC users : the price , the overbearing restrictions of OSX and lack of [ASP]support for games[ASP] . !sent! Negative 120 | I wanted it for it 's [ASP]mobility[ASP] and man , this little bad boy is very nice . !sent! Positive 121 | I found the mini to be : Exceptionally easy to [ASP]set up[ASP] !sent! Positive 122 | Having [ASP]USB3[ASP] is why I bought this Mini . !sent! Positive 123 | The [ASP]sound[ASP] is nice and loud ; I do n't have any problems with hearing anything . !sent! Positive 124 | It is very slim , the [ASP]track pad[ASP] is very much impressed with me . !sent! Positive 125 | The [ASP]settings[ASP] are not user-friendly either . !sent! Negative 126 | Thank goodness for [ASP]OpenOffice[ASP] ! !sent! Positive 127 | Awesome [ASP]form factor[ASP] , great battery life , wonderful UX . !sent! Positive 128 | Awesome form factor , great [ASP]battery life[ASP] , wonderful UX . !sent! Positive 129 | Awesome form factor , great battery life , wonderful [ASP]UX[ASP] . !sent! Positive 130 | i love the [ASP]keyboard[ASP] and the screen . !sent! Positive 131 | i love the keyboard and the [ASP]screen[ASP] . !sent! Positive 132 | However , there are MAJOR issues with the [ASP]touchpad[ASP] which render the device nearly useless . !sent! Negative 133 | I 've already upgraded o [ASP]Mavericks[ASP] and I am impressed with everything about this computer . !sent! Positive 134 | Not as fast as I would have expect for an [ASP]i5[ASP] . !sent! Negative 135 | thanks for great [ASP]service[ASP] and shipping ! !sent! Positive 136 | thanks for great service and [ASP]shipping[ASP] ! !sent! Positive 137 | The [ASP]performance[ASP] seems quite good , and built-in applications like iPhoto work great with my phone and camera . !sent! Positive 138 | The performance seems quite good , and [ASP]built-in applications[ASP] like iPhoto work great with my phone and camera . !sent! Positive 139 | The performance seems quite good , and built-in applications like [ASP]iPhoto[ASP] work great with my phone and camera . !sent! Positive 140 | I did swap out the [ASP]hard drive[ASP] for a Samsung 830 SSD which I highly recommend . !sent! Neutral 141 | I did swap out the hard drive for a [ASP]Samsung 830 SSD[ASP] which I highly recommend . !sent! Positive 142 | [ASP]Starts up[ASP] in a hurry and everything is ready to go . !sent! Positive 143 | Yes , that 's a good thing , but it 's made from [ASP]aluminum[ASP] that scratches easily . !sent! Negative 144 | Quick and has [ASP]built in virus control[ASP] . !sent! Positive 145 | Took a long time trying to decide between one with [ASP]retina display[ASP] and one without . !sent! Neutral 146 | I was also informed that the [ASP]components[ASP] of the Mac Book were dirty . !sent! Negative 147 | the [ASP]hardware[ASP] problems have been so bad , i ca n't wait till it completely dies in 3 years , TOPS ! !sent! Negative 148 | It 's so nice that the [ASP]battery[ASP] last so long and that this machine has the snow lion ! !sent! Positive 149 | It 's so nice that the battery last so long and that this machine has the [ASP]snow lion[ASP] ! !sent! Positive 150 | HOWEVER I chose two day [ASP]shipping[ASP] and it took over a week to arrive . !sent! Negative 151 | it 's exactly what i wanted , and it has all the new [ASP]features[ASP] and whatnot . !sent! Positive 152 | Can you buy any laptop that matches the [ASP]quality[ASP] of a MacBook ? !sent! Positive 153 | It feels cheap , the [ASP]keyboard[ASP] is not very sensitive . !sent! Negative 154 | Though please note that sometimes it crashes , and the [ASP]sound quality[ASP] isnt superb . !sent! Negative 155 | It is very easy to [ASP]navigate[ASP] even for a novice . !sent! Positive 156 | Does everything I need it to , has a wonderful [ASP]battery life[ASP] and I could n't be happier . !sent! Positive 157 | Great [ASP]Performance[ASP] and Quality . !sent! Positive 158 | Great Performance and [ASP]Quality[ASP] . !sent! Positive 159 | I used [ASP]windows XP[ASP] , windows Vista , and Windows 7 extensively . !sent! Neutral 160 | I used windows XP , [ASP]windows Vista[ASP] , and Windows 7 extensively . !sent! Neutral 161 | I used windows XP , windows Vista , and [ASP]Windows 7[ASP] extensively . !sent! Neutral 162 | I did add a [ASP]SSD drive[ASP] and memory !sent! Neutral 163 | I did add a SSD drive and [ASP]memory[ASP] !sent! Neutral 164 | On [ASP]start up[ASP] it asks endless questions just so itune can sell you more of their products . !sent! Negative 165 | On start up it asks endless questions just so [ASP]itune[ASP] can sell you more of their products . !sent! Negative 166 | I Have been a Pc user for a very long time now but I will get used to this new [ASP]OS[ASP] . !sent! Neutral 167 | One more thing , this mac does NOT come with [ASP]restore disks[ASP] 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 . !sent! Negative 168 | 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 [ASP]charging cables[ASP] are made of the same cheap material as the iPhone/iPod touch cables . !sent! Negative 169 | 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 [ASP]material[ASP] as the iPhone/iPod touch cables . !sent! Negative 170 | I bought it to my son who uses it for [ASP]graphic design[ASP] . !sent! Neutral 171 | I never tried any [ASP]external mics[ASP] with that iMac . !sent! Neutral 172 | The new [ASP]os[ASP] is great on my macbook pro ! !sent! Positive 173 | I have experienced no problems , [ASP]works[ASP] as anticipated . !sent! Positive 174 | [ASP]System[ASP] is running great . !sent! Positive 175 | Easy to [ASP]customize setting[ASP] and even create your own bookmarks . !sent! Positive 176 | Easy to customize setting and even [ASP]create your own bookmarks[ASP] . !sent! Positive 177 | The MAC Mini , [ASP]wireless keyboard / mouse[ASP] and a HDMI cable is all I need to get some real work done . !sent! Neutral 178 | The MAC Mini , wireless keyboard / mouse and a [ASP]HDMI cable[ASP] is all I need to get some real work done . !sent! Neutral 179 | it has all the [ASP]features[ASP] that we expected and the price was good , working well so far . !sent! Positive 180 | it has all the features that we expected and the [ASP]price[ASP] was good , working well so far . !sent! Positive 181 | it has all the features that we expected and the price was good , [ASP]working[ASP] well so far . !sent! Positive 182 | I work as a designer and coder and I needed a new buddy to work with , not [ASP]gaming[ASP] . !sent! Neutral 183 | The new [ASP]operating system[ASP] makes this computer into a super iPad . !sent! Positive 184 | Easy to [ASP]set up[ASP] and go ! !sent! Positive 185 | I ca n't believe how quiet the [ASP]hard drive[ASP] is and how quick this thing boots up . !sent! Positive 186 | I ca n't believe how quiet the hard drive is and how quick this thing [ASP]boots up[ASP] . !sent! Positive 187 | The only issue came when I tried [ASP]scanning[ASP] to the mac . !sent! Negative 188 | I think this is about as good as it gets at anything close to this [ASP]price point[ASP] . !sent! Neutral 189 | It 's just what we were looking for and it [ASP]works[ASP] great . !sent! Positive 190 | It 's so quick and responsive that it makes [ASP]working[ASP] / surfing on a computer so much more pleasurable ! !sent! Positive 191 | It 's so quick and responsive that it makes working / [ASP]surfing[ASP] on a computer so much more pleasurable ! !sent! Positive 192 | It [ASP]works[ASP] fine , and all the software seems to run pretty well . !sent! Positive 193 | It works fine , and all the [ASP]software[ASP] seems to run pretty well . !sent! Positive 194 | I 'm using this computer for [ASP]word processing[ASP] , web browsing , some gaming , and I 'm learning programming . !sent! Neutral 195 | I 'm using this computer for word processing , [ASP]web browsing[ASP] , some gaming , and I 'm learning programming . !sent! Neutral 196 | I 'm using this computer for word processing , web browsing , some [ASP]gaming[ASP] , and I 'm learning programming . !sent! Neutral 197 | I 'm using this computer for word processing , web browsing , some gaming , and I 'm learning [ASP]programming[ASP] . !sent! Neutral 198 | My wife was so excited to open the box , but quickly came to see that it did not [ASP]function[ASP] as it should . !sent! Negative 199 | I wanted a computer that was quite , fast , and that had overall great [ASP]performance[ASP] . !sent! Neutral 200 | [ASP]Apple "Help"[ASP] is a mixed bag . !sent! Negative 201 | It suddenly can not [ASP]work[ASP] . !sent! Negative 202 | [ASP]Harddrive[ASP] was in poor condition , had to replace it . !sent! Negative 203 | The [ASP]on/off switch[ASP] is a bit obscure in the rear corner . !sent! Negative 204 | My only complaint is the total lack of [ASP]instructions[ASP] that come with the mac mini . !sent! Negative 205 | The only task that this computer would not be good enough for would be [ASP]gaming[ASP] , otherwise the integrated Intel 4000 graphics work well for other tasks . !sent! Negative 206 | I use it mostly for [ASP]content creation[ASP] -LRB- Audio , video , photo editing -RRB- and its reliable . !sent! Positive 207 | I use it mostly for content creation -LRB- [ASP]Audio[ASP] , video , photo editing -RRB- and its reliable . !sent! Positive 208 | I use it mostly for content creation -LRB- Audio , [ASP]video[ASP] , photo editing -RRB- and its reliable . !sent! Positive 209 | I use it mostly for content creation -LRB- Audio , video , [ASP]photo editing[ASP] -RRB- and its reliable . !sent! Positive 210 | [ASP]Screen[ASP] is bright and gorgeous . !sent! Positive 211 | The only solution is to turn the [ASP]brightness[ASP] down , etc. . !sent! Neutral 212 | If you want more information on macs I suggest going to apple.com and heading towards the macbook page for more information on the [ASP]applications[ASP] . !sent! Neutral 213 | It is robust , with a friendly [ASP]use[ASP] as all Apple products . !sent! Positive 214 | It is fast and easy to [ASP]use[ASP] . !sent! Positive 215 | And the fact that it comes with an [ASP]i5 processor[ASP] definitely speeds things up !sent! Positive 216 | I have been PC for years but this computer is intuitive and its [ASP]built in features[ASP] are a great help !sent! Positive 217 | Nice [ASP]screen[ASP] , keyboard works great ! !sent! Positive 218 | Nice screen , [ASP]keyboard[ASP] works great ! !sent! Positive 219 | I was amazed at how fast the [ASP]delivery[ASP] was . !sent! Positive 220 | I 've installed to it additional [ASP]SSD[ASP] and 16Gb RAM . !sent! Neutral 221 | I 've installed to it additional SSD and [ASP]16Gb RAM[ASP] . !sent! Neutral 222 | The [ASP]memory[ASP] was gone and it was not able to be used . !sent! Negative 223 | It [ASP]works[ASP] great and I am so happy I bought it . !sent! Positive 224 | I like the [ASP]design[ASP] and ease of use with the keyboard , plenty of ports . !sent! Positive 225 | I like the design and ease of use with the [ASP]keyboard[ASP] , plenty of ports . !sent! Positive 226 | I like the design and ease of use with the keyboard , plenty of [ASP]ports[ASP] . !sent! Positive 227 | it definitely beats my old mac and the [ASP]service[ASP] was great . !sent! Positive 228 | [ASP]Web browsing[ASP] is very quick with Safari browser . !sent! Positive 229 | Web browsing is very quick with [ASP]Safari browser[ASP] . !sent! Positive 230 | I like the [ASP]lighted screen[ASP] at night . !sent! Positive 231 | It is really easy to [ASP]use[ASP] and it is quick to start up . !sent! Positive 232 | It is really easy to use and it is quick to [ASP]start up[ASP] . !sent! Positive 233 | I 've lived with the crashes and slow [ASP]operation[ASP] and restarts . !sent! Negative 234 | [ASP]USB3 Peripherals[ASP] are noticably less expensive than the ThunderBolt ones . !sent! Positive 235 | USB3 Peripherals are noticably less expensive than the [ASP]ThunderBolt[ASP] ones . !sent! Negative 236 | And mine had broke but I sent it in under [ASP]warranty[ASP] - no problems . !sent! Positive 237 | It 's fast , light , and is perfect for [ASP]media editing[ASP] , which is mostly why I bought it in the first place . !sent! Positive 238 | The [ASP]battery[ASP] lasts as advertised -LRB- give or take 15-20 minutes -RRB- , and the entire user experience is very elegant . !sent! Positive 239 | The battery lasts as advertised -LRB- give or take 15-20 minutes -RRB- , and the entire [ASP]user experience[ASP] is very elegant . !sent! Positive 240 | Thanks for the fast [ASP]shipment[ASP] and great price . !sent! Positive 241 | Thanks for the fast shipment and great [ASP]price[ASP] . !sent! Positive 242 | ! Excelent [ASP]performance[ASP] , usability , presentation and time response . !sent! Positive 243 | ! Excelent performance , [ASP]usability[ASP] , presentation and time response . !sent! Positive 244 | ! Excelent performance , usability , [ASP]presentation[ASP] and time response . !sent! Positive 245 | ! Excelent performance , usability , presentation and [ASP]time response[ASP] . !sent! Positive 246 | The smaller [ASP]size[ASP] was a bonus because of space restrictions . !sent! Positive 247 | I blame the [ASP]Mac OS[ASP] . !sent! Negative 248 | In fact I still use many [ASP]Legacy programs[ASP] -LRB- Appleworks , FileMaker Pro , Quicken , Photoshop etc -RRB- ! !sent! Neutral 249 | In fact I still use manyLegacy programs -LRB- [ASP]Appleworks[ASP] , FileMaker Pro , Quicken , Photoshop etc -RRB- ! !sent! Neutral 250 | In fact I still use manyLegacy programs -LRB- Appleworks , [ASP]FileMaker Pro[ASP] , Quicken , Photoshop etc -RRB- ! !sent! Neutral 251 | In fact I still use manyLegacy programs -LRB- Appleworks , FileMaker Pro , [ASP]Quicken[ASP] , Photoshop etc -RRB- ! !sent! Neutral 252 | In fact I still use manyLegacy programs -LRB- Appleworks , FileMaker Pro , Quicken , [ASP]Photoshop[ASP] etc -RRB- ! !sent! Neutral 253 | I like the [ASP]operating system[ASP] . !sent! Positive 254 | I love the [ASP]form factor[ASP] . !sent! Positive 255 | It 's fast at [ASP]loading the internet[ASP] . !sent! Positive 256 | So much faster and sleeker [ASP]looking[ASP] . !sent! Positive 257 | Unfortunately , it runs [ASP]XP[ASP] and Microsoft is dropping support next April . !sent! Neutral 258 | Unfortunately , it runs XP and Microsoft is dropping [ASP]support[ASP] next April . !sent! Negative 259 | First off , I really do like my MBP ... once used to the [ASP]OS[ASP] it is pretty easy to get around , and the overall build is great ... eg the keyboard is one of the best to type on . !sent! Positive 260 | First off , I really do like my MBP ... once used to the OS it is pretty easy to get around , and the [ASP]overall build[ASP] is great ... eg the keyboard is one of the best to type on . !sent! Positive 261 | 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 [ASP]keyboard[ASP] is one of the best to type on . !sent! Positive 262 | It is made of such solid [ASP]construction[ASP] and since I have never had a Mac using my iPhone helped me get used to the system a bit . !sent! Positive 263 | It is made of such solid construction and since I have never had a Mac using my iPhone helped me get used to the [ASP]system[ASP] a bit . !sent! Neutral 264 | Very nice [ASP]unibody construction[ASP] . !sent! Positive 265 | This Macbook Pro is fast , powerful , and [ASP]runs[ASP] super quiet and cool . !sent! Positive 266 | It 's ok but does n't have a [ASP]disk drive[ASP] which I did n't know until after I bought it . !sent! Neutral 267 | There is no [ASP]HDMI receptacle[ASP] , nor is there an SD card slot located anywhere on the device . !sent! Neutral 268 | There is no HDMI receptacle , nor is there an [ASP]SD card slot[ASP] located anywhere on the device . !sent! Neutral 269 | It came in brand new and [ASP]works[ASP] perfectly . !sent! Positive 270 | It should n't happen like that , I do n't have any [ASP]design app[ASP] open or anything . !sent! Neutral 271 | MY [ASP]TRACKPAD[ASP] IS NOT WORKING . !sent! Negative 272 | It looks and feels solid , with a flawless [ASP]finish[ASP] . !sent! Positive 273 | It [ASP]looks[ASP] and feels solid , with a flawless finish . !sent! Positive 274 | It looks and [ASP]feels[ASP] solid , with a flawless finish . !sent! Positive 275 | [ASP]Price[ASP] was higher when purchased on MAC when compared to price showing on PC when I bought this product . !sent! Negative 276 | Price was higher when purchased on MAC when compared to [ASP]price[ASP] showing on PC when I bought this product . !sent! Positive 277 | Then the [ASP]system[ASP] would many times not power down without a forced power-off . !sent! Negative 278 | Then the system would many times not [ASP]power down[ASP] without a forced power-off . !sent! Negative 279 | The [ASP]configuration[ASP] is perfect for my needs . !sent! Positive 280 | and the [ASP]speakers[ASP] is the worst ever . !sent! Negative 281 | Its the best , its got the [ASP]looks[ASP] , super easy to use and love all you can do with the trackpad ! . . !sent! Positive 282 | Its the best , its got the looks , super easy to [ASP]use[ASP] and love all you can do with the trackpad ! . . !sent! Positive 283 | Its the best , its got the looks , super easy to use and love all you can do with the [ASP]trackpad[ASP] ! . . !sent! Positive 284 | [ASP]Web surfuring[ASP] is smooth and seamless . !sent! Positive 285 | I 'm overall pleased with the [ASP]interface[ASP] and the portability of this product . !sent! Positive 286 | I 'm overall pleased with the interface and the [ASP]portability[ASP] of this product . !sent! Positive 287 | This item is a beautiful piece , it [ASP]works[ASP] well , it is easy to carry and handle . !sent! Positive 288 | This item is a beautiful piece , it works well , it is easy to [ASP]carry[ASP] and handle . !sent! Positive 289 | This item is a beautiful piece , it works well , it is easy to carry and [ASP]handle[ASP] . !sent! Positive 290 | It was also suffering from hardware -LRB- keyboard -RRB- issues , relatively slow [ASP]performance[ASP] and shortening battery lifetime . !sent! Negative 291 | It was also suffering from hardware -LRB- keyboard -RRB- issues , relatively slow performance and shortening [ASP]battery lifetime[ASP] . !sent! Negative 292 | It was also suffering from [ASP]hardware (keyboard)[ASP] issues , relatively slow performance and shortening battery lifetime . !sent! Negative 293 | [ASP]Runs[ASP] good and does the job , ca n't complain about that ! !sent! Positive 294 | It 's silent and has a very small [ASP]footprint[ASP] on my desk . !sent! Positive 295 | The [ASP]exterior[ASP] is absolutely gorgeous . !sent! Positive 296 | It has a very high [ASP]performance[ASP] , just for what I needed for . !sent! Positive 297 | Apple is aware of this issue and this is either old stock or a defective design involving the [ASP]intel 4000 graphics chipset[ASP] . !sent! Neutral 298 | Apple is aware of this issue and this is either old stock or a defective [ASP]design[ASP] involving the intel 4000 graphics chipset . !sent! Neutral 299 | [ASP]OSX Mountain Lion[ASP] soon to upgrade to Mavericks . !sent! Neutral 300 | OSX Mountain Lion soon to upgrade to [ASP]Mavericks[ASP] . !sent! Neutral 301 | 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 [ASP]USB ports[ASP] . !sent! Negative 302 | It wakes in less than a second when I open the [ASP]lid[ASP] . !sent! Neutral 303 | It [ASP]wakes[ASP] in less than a second when I open the lid . !sent! Positive 304 | It is the perfect [ASP]size[ASP] and speed for me . !sent! Positive 305 | It is the perfect size and [ASP]speed[ASP] for me . !sent! Positive 306 | THE [ASP]CUSTOMER SERVICE[ASP] IS TERRIFIC !! !sent! Positive 307 | My last laptop was a 17 '' ASUS gaming machine , which [ASP]performed[ASP] 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 . !sent! Positive 308 | However , it did not have any scratches , ZERO [ASP]battery cycle count[ASP] -LRB- pretty surprised -RRB- , and all the hardware seemed to be working perfectly . !sent! Positive 309 | However , it did not have any scratches , ZERO battery cycle count -LRB- pretty surprised -RRB- , and all the [ASP]hardware[ASP] seemed to be working perfectly . !sent! Positive 310 | After fumbling around with the [ASP]OS[ASP] I started searching the internet for a fix and found a number of forums on fixing the issue . !sent! Negative 311 | And as for all the fancy [ASP]finger swipes[ASP] -- I just gave up and attached a mouse . !sent! Negative 312 | And as for all the fancy finger swipes -- I just gave up and attached a [ASP]mouse[ASP] . !sent! Neutral 313 | I needed a laptop with big [ASP]storage[ASP] , a nice screen and fast so I can photoshop without any problem . !sent! Neutral 314 | I needed a laptop with big storage , a nice [ASP]screen[ASP] and fast so I can photoshop without any problem . !sent! Neutral 315 | I needed a laptop with big storage , a nice screen and fast so I can [ASP]photoshop[ASP] without any problem . !sent! Neutral 316 | I like coming back to [ASP]Mac OS[ASP] but this laptop is lacking in speaker quality compared to my $ 400 old HP laptop . !sent! Positive 317 | I like coming back to Mac OS but this laptop is lacking in [ASP]speaker quality[ASP] compared to my $ 400 old HP laptop . !sent! Negative 318 | [ASP]Shipped[ASP] very quickly and safely . !sent! Positive 319 | The [ASP]thunderbolt port[ASP] is awesome ! !sent! Positive 320 | The [ASP]performance[ASP] is definitely superior to any computer I 've ever put my hands on . !sent! Positive 321 | It 's great for [ASP]streaming video[ASP] and other entertainment uses . !sent! Positive 322 | It 's great for streaming video and other [ASP]entertainment uses[ASP] . !sent! Positive 323 | I like the [ASP]design[ASP] and its features but there are somethings I think needs to be improved . !sent! Positive 324 | I like the design and its [ASP]features[ASP] but there are somethings I think needs to be improved . !sent! Positive 325 | There were small problems with [ASP]Mac office[ASP] . !sent! Negative 326 | I understand I should call [ASP]Apple Tech Support[ASP] about any variables -LRB- which is my purpose of writing this con -RRB- as variables could be a bigger future problem . !sent! Neutral 327 | I ordered my 2012 mac mini after being disappointed with [ASP]spec[ASP] of the new 27 '' Imacs . !sent! Negative 328 | It still [ASP]works[ASP] 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 !sent! Positive 329 | Its fast , easy to [ASP]use[ASP] and it looks great . !sent! Positive 330 | Its fast , easy to use and it [ASP]looks[ASP] great . !sent! Positive 331 | -LRB- but [ASP]Office[ASP] can be purchased -RRB- IF I ever need a laptop again I am for sure purchasing another Toshiba !! !sent! Neutral 332 | I have n't tried the one with [ASP]retina display[ASP] ... Maybe in the future . !sent! Neutral 333 | [ASP]Performance[ASP] is much much better on the Pro , especially if you install an SSD on it . !sent! Positive 334 | Performance is much much better on the Pro , especially if you install an [ASP]SSD[ASP] on it . !sent! Positive 335 | Note , however , that any existing [ASP]MagSafe accessories[ASP] you have will not work with the MagSafe 2 connection . !sent! Neutral 336 | Note , however , that any existing MagSafe accessories you have will not work with the [ASP]MagSafe 2 connection[ASP] . !sent! Negative 337 | The only thing I dislike is the [ASP]touchpad[ASP] , alot of the times its unresponsive and does things I dont want it too , I would recommend using a mouse with it . !sent! Negative 338 | 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 [ASP]mouse[ASP] with it . !sent! Neutral 339 | The Mac mini is about 8x smaller than my old computer which is a huge bonus and [ASP]runs[ASP] very quiet , actually the fans are n't audible unlike my old pc !sent! Positive 340 | The Mac mini is about 8x smaller than my old computer which is a huge bonus and runs very quiet , actually the [ASP]fans[ASP] are n't audible unlike my old pc !sent! Positive 341 | MAYBE The [ASP]Mac OS[ASP] improvement were not The product they Want to offer . !sent! Negative 342 | I thought the transition would be difficult at best and would take some time to fully familiarize myself with the new [ASP]Mac ecosystem[ASP] . !sent! Neutral 343 | It 's absolutely wonderful and worth the [ASP]price[ASP] ! !sent! Positive 344 | I am please with the products ease of [ASP]use[ASP] ; out of the box ready ; appearance and functionality . !sent! Positive 345 | I am please with the products ease of use ; out of the box ready ; [ASP]appearance[ASP] and functionality . !sent! Positive 346 | I am please with the products ease of use ; out of the box ready ; appearance and [ASP]functionality[ASP] . !sent! Positive 347 | Perfect for all my [ASP]graphic design[ASP] classes I 'm taking this year in college : - -RRB- !sent! Positive 348 | I will not be using that [ASP]slot[ASP] again . !sent! Negative 349 | The [ASP]OS[ASP] is fast and fluid , everything is organized and it 's just beautiful . !sent! Positive 350 | They are simpler to [ASP]use[ASP] . !sent! Positive 351 | ! so nice . . stable . . fast . . now i got my [ASP]SSD[ASP] ! !sent! Positive 352 | Also , in using the [ASP]built-in camera[ASP] , my voice recording for my vlog sounds like the interplanetary transmissions in the `` Star Wars '' saga . !sent! Neutral 353 | Also , in using the built-in camera , my [ASP]voice recording[ASP] for my vlog sounds like the interplanetary transmissions in the `` Star Wars '' saga . !sent! Negative 354 | I love the quick [ASP]start up[ASP] . !sent! Positive 355 | You just can not beat the [ASP]functionality[ASP] of an Apple device . !sent! Positive 356 | Yet my mac continues to [ASP]function[ASP] properly . !sent! Positive 357 | [ASP]Graphics[ASP] are much improved . !sent! Positive 358 | Here are the things that made me confident with my purchase : [ASP]Build Quality[ASP] - Seriously , you ca n't beat a unibody construction . !sent! Positive 359 | Here are the things that made me confident with my purchase : Build Quality - Seriously , you ca n't beat a [ASP]unibody construction[ASP] . !sent! Positive 360 | It provides much more [ASP]flexibility for connectivity[ASP] . !sent! Positive 361 | I want the [ASP]portability[ASP] of a tablet , without the limitations of a tablet and that 's where this laptop comes into play . !sent! Positive 362 | [ASP]Mac tutorials[ASP] do help . !sent! Positive 363 | The [ASP]technical support[ASP] was not helpful as well . !sent! Negative 364 | I got the new [ASP]adapter[ASP] and there was no change . !sent! Neutral 365 | so i called [ASP]technical support[ASP] . !sent! Neutral 366 | Came with [ASP]iPhoto[ASP] and garage band already loaded . !sent! Neutral 367 | Came with iPhoto and [ASP]garage band[ASP] already loaded . !sent! Neutral 368 | [ASP]Logic board[ASP] utterly fried , cried , and laid down and died . !sent! Positive 369 | The [ASP]sound[ASP] was crappy even when you turn up the volume still the same results . !sent! Negative 370 | The sound was crappy even when you turn up the [ASP]volume[ASP] still the same results . !sent! Negative 371 | [ASP]OSX Lion[ASP] is a great performer . . extremely fast and reliable . !sent! Positive 372 | Having heard from friends and family about how reliable a Mac product is , I never expected to have an [ASP]application[ASP] crash within the first month , but I did . !sent! Negative 373 | The Macbook pro 's [ASP]physical form[ASP] is wonderful . !sent! Positive 374 | The Mini 's [ASP]body[ASP] has n't changed since late 2010 - and for a good reason . !sent! Positive 375 | The [ASP]unibody construction[ASP] really does feel lot more solid than Apple 's previous laptops . !sent! Positive 376 | [ASP]3D rendering[ASP] slows it down considerably . !sent! Negative 377 | Got this Mac Mini with [ASP]OS X Mountain Lion[ASP] for my wife . !sent! Neutral 378 | fast , great [ASP]screen[ASP] , 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 ! !sent! Positive 379 | fast , great screen , beautiful [ASP]apps[ASP] 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 ! !sent! Positive 380 | fast , great screen , beautiful apps for a laptop ; [ASP]priced[ASP] 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 ! !sent! Neutral 381 | 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 - [ASP]cost[ASP] me 998 plus tax - 1070 - OTD ! !sent! Neutral 382 | 12.44 seconds to [ASP]boot[ASP] . !sent! Neutral 383 | All the [ASP]ports[ASP] are much needed since this is my main computer . !sent! Neutral 384 | The Like New condition of the iMac MC309LL/A on Amazon is at $ 900 + level only , and it is a [ASP]Quad-Core 2.5 GHz CPU[ASP] -LRB- similar to the $ 799 Mini -RRB- , with Radeon HD 6750M 512MB 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 . !sent! Neutral 385 | 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 [ASP]Radeon HD 6750M 512MB graphic card[ASP] -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 . !sent! Neutral 386 | 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 512MB graphic card -LRB- this mini is [ASP]integrated Intel 4000 card[ASP] -RRB- , and it even comes with wireless Apple Keyboard and Mouse , all put together in neat and nice package . !sent! Neutral 387 | 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 512MB graphic card -LRB- this mini is integrated Intel 4000 card -RRB- , and it even comes with [ASP]wireless Apple Keyboard and Mouse[ASP] , all put together in neat and nice package . !sent! Neutral 388 | 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 512MB 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 [ASP]package[ASP] . !sent! Positive 389 | Put a [ASP]cover[ASP] on it and is a little better but that is my only complaint . !sent! Neutral 390 | Within a few hours I was using the [ASP]gestures[ASP] unconsciously . !sent! Positive 391 | This mac does come with an [ASP]extender cable[ASP] and I 'm using mine right now hoping the cable will stay nice for the many years I plan on using this mac . !sent! Neutral 392 | This mac does come with an extender cable and I 'm using mine right now hoping the [ASP]cable[ASP] will stay nice for the many years I plan on using this mac . !sent! Positive 393 | The [ASP]2.9ghz dual-core i7 chip[ASP] really out does itself . !sent! Positive 394 | It is pretty snappy and [ASP]starts up[ASP] in about 30 seconds which is good enough for me . !sent! Positive 395 | Not sure on [ASP]Windows 8[ASP] . !sent! Neutral 396 | My one complaint is that there was no [ASP]internal CD drive[ASP] . !sent! Negative 397 | This newer netbook has no [ASP]hard drive[ASP] or network lights . !sent! Neutral 398 | This newer netbook has no hard drive or [ASP]network lights[ASP] . !sent! Neutral 399 | I was having a though time deciding between the 13 '' MacBook Air or the MacBook Pro 13 '' -LRB- Both baseline models , [ASP]priced[ASP] at 1,200 $ retail -RRB- !sent! Neutral 400 | Not too expense and has enough [ASP]storage[ASP] for most users and many ports . !sent! Positive 401 | Not too expense and has enough storage for most users and many [ASP]ports[ASP] . !sent! Positive 402 | The [ASP]audio volume[ASP] is quite low and virtually unusable in a room with any background activity . !sent! Negative 403 | It is lightweight and the perfect [ASP]size[ASP] to carry to class . !sent! Positive 404 | I was given a demonstration of [ASP]Windows 8[ASP] . !sent! Neutral 405 | The MBP is beautiful has many wonderful [ASP]capabilities[ASP] . !sent! Positive 406 | I thought that it will be fine , if i do some [ASP]settings[ASP] . !sent! Neutral 407 | [ASP]Runs[ASP] very smoothly . !sent! Positive 408 | [ASP]Boot-up[ASP] slowed significantly after all Windows updates were installed . !sent! Negative 409 | Boot-up slowed significantly after all [ASP]Windows updates[ASP] were installed . !sent! Negative 410 | More likely it will require replacing the [ASP]logic board[ASP] once they admit they have a problem and come up with a solution . !sent! Negative 411 | It was important that it was powerful enough to do all of the tasks he needed on the [ASP]internet[ASP] , word processing , graphic design and gaming . !sent! Positive 412 | It was important that it was powerful enough to do all of the tasks he needed on the internet , [ASP]word processing[ASP] , graphic design and gaming . !sent! Positive 413 | It was important that it was powerful enough to do all of the tasks he needed on the internet , word processing , [ASP]graphic design[ASP] and gaming . !sent! Positive 414 | It was important that it was powerful enough to do all of the tasks he needed on the internet , word processing , graphic design and [ASP]gaming[ASP] . !sent! Positive 415 | I like the Mini Mac it was easy to [ASP]setup[ASP] 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 . !sent! Positive 416 | I like the Mini Mac it was easy to setup and [ASP]install[ASP] , 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 . !sent! Positive 417 | I like the Mini Mac it was easy to setup and install , but I am learning as I go and could use a [ASP]tutorial[ASP] to learn how to use some of the features I was use to on the PC especially the right mouse click menu . !sent! Neutral 418 | 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 [ASP]features[ASP] I was use to on the PC especially the right mouse click menu . !sent! Neutral 419 | 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 [ASP]right mouse click menu[ASP] . !sent! Neutral 420 | [ASP]Runs[ASP] real quick . !sent! Positive 421 | Buy the separate [ASP]RAM memory[ASP] and you will have a rocket ! !sent! Positive 422 | Since the machine 's slim [ASP]profile[ASP] is critical to me , that was a problem . !sent! Negative 423 | WiFi capability , [ASP]disk drive[ASP] and multiple USB ports to connect scale and printers was all that was required . !sent! Positive 424 | WiFi capability , disk drive and multiple [ASP]USB ports[ASP] to connect scale and printers was all that was required . !sent! Positive 425 | [ASP]WiFi capability[ASP] , disk drive and multiple USB ports to connect scale and printers was all that was required . !sent! Positive 426 | The [ASP]SD card reader[ASP] 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 . !sent! Negative 427 | The SD card reader is slightly recessed and upside down -LRB- the [ASP]nail slot on the card[ASP] can not be accessed -RRB- , if this was a self ejecting slot this would not be an issue , but its not . !sent! Negative 428 | 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 [ASP]slot[ASP] this would not be an issue , but its not . !sent! Negative 429 | Soft [ASP]touch[ASP] , anodized aluminum with laser cut precision and no flaws . !sent! Positive 430 | Soft touch , [ASP]anodized aluminum[ASP] with laser cut precision and no flaws . !sent! Positive 431 | Simple details , crafted [ASP]aluminium[ASP] and real glass make this laptop blow away the other plastic ridden , bulky sticker filled laptops . !sent! Positive 432 | Simple details , crafted aluminium and real [ASP]glass[ASP] make this laptop blow away the other plastic ridden , bulky sticker filled laptops . !sent! Positive 433 | First of all yes this is a mac and it has that nice brushed [ASP]aluminum[ASP] . !sent! Positive 434 | After all was said and done , I essentially used that $ 450 savings to buy [ASP]16GB of RAM[ASP] , TWO Seagate Momentus XT hybrid drives and an OWC upgrade kit to install the second hard drive . !sent! Neutral 435 | After all was said and done , I essentially used that $ 450 savings to buy 16GB of RAM , TWO [ASP]Seagate Momentus XT hybrid drives[ASP] and an OWC upgrade kit to install the second hard drive . !sent! Neutral 436 | After all was said and done , I essentially used that $ 450 savings to buy 16GB of RAM , TWO Seagate Momentus XT hybrid drives and an [ASP]OWC upgrade kit[ASP] to install the second hard drive . !sent! Neutral 437 | After all was said and done , I essentially used that $ 450 savings to buy 16GB of RAM , TWO Seagate Momentus XT hybrid drives and an OWC upgrade kit to install the second [ASP]hard drive[ASP] . !sent! Neutral 438 | The Dell Inspiron is fast and has a [ASP]number pad on the keyboard[ASP] , which I miss on my Apple laptops . !sent! Positive 439 | I was concerned that the downgrade to the [ASP]regular hard drive[ASP] would make it unacceptably slow but I need not have worried - this machine is the fastest I have ever owned ... !sent! Positive 440 | This one still has the [ASP]CD slot[ASP] . !sent! Neutral 441 | No [ASP]HDMI port[ASP] . !sent! Neutral 442 | I had to [ASP]install Mountain Lion[ASP] and it took a good two hours . !sent! Negative 443 | [ASP]Customization[ASP] on mac is impossible . !sent! Negative 444 | I am replacing the [ASP]HD[ASP] with a Micron SSD soon . !sent! Neutral 445 | I am replacing the HD with a [ASP]Micron SSD[ASP] soon . !sent! Neutral 446 | Plus [ASP]two finger clicking[ASP] as a replacement for the right click button is surprisingly intuitive . !sent! Positive 447 | Plus two finger clicking as a replacement for the [ASP]right click button[ASP] is surprisingly intuitive . !sent! Neutral 448 | The [ASP]SuperDrive[ASP] is quiet . !sent! Positive 449 | The [ASP]power plug[ASP] has to be connected to the power adaptor to charge the battery but wo n't stay connected . !sent! Negative 450 | The power plug has to be connected to the [ASP]power adaptor[ASP] to charge the battery but wo n't stay connected . !sent! Neutral 451 | The power plug has to be connected to the power adaptor to charge the [ASP]battery[ASP] but wo n't stay connected . !sent! Neutral 452 | The [ASP]battery[ASP] was completely dead , in fact it had grown about a quarter inch thick lump on the underside . !sent! Negative 453 | if yo like [ASP]practicality[ASP] this is the laptop for you . !sent! Positive 454 | The [ASP]OS[ASP] is great . !sent! Positive 455 | I tried several [ASP]monitors[ASP] and several HDMI cables and this was the case each time . !sent! Neutral 456 | I tried several monitors and several [ASP]HDMI cables[ASP] and this was the case each time . !sent! Neutral 457 | CONS : [ASP]Price[ASP] is a bit ridiculous , kinda heavy . !sent! Negative 458 | The troubleshooting said it was the [ASP]AC adaptor[ASP] so we ordered a new one . !sent! Neutral 459 | [ASP]Fan[ASP] only comes on when you are playing a game . !sent! Neutral 460 | Fan only comes on when you are [ASP]playing a game[ASP] . !sent! Neutral 461 | Which it did not have , only 3 [ASP]USB 2 ports[ASP] . !sent! Neutral 462 | No [ASP]startup disk[ASP] was not included but that may be my fault . !sent! Neutral 463 | There is no [ASP]"tools" menu[ASP] . !sent! Neutral 464 | It is very fast and has everything that I need except for a [ASP]word program[ASP] . !sent! Negative 465 | Needs a [ASP]CD/DVD drive[ASP] and a bigger power switch . !sent! Neutral 466 | Needs a CD/DVD drive and a bigger [ASP]power switch[ASP] . !sent! Negative 467 | My laptop with [ASP]Windows 7[ASP] crashed and I did not want Windows 8 . !sent! Negative 468 | My laptop with Windows 7 crashed and I did not want [ASP]Windows 8[ASP] . !sent! Negative 469 | Easy to [ASP]install[ASP] also small to leave anywhere at your bedroom also very easy to configure for ADSl cable or wifi . !sent! Positive 470 | Easy to install also small to leave anywhere at your bedroom also very easy to [ASP]configure for ADSl cable or wifi[ASP] . !sent! Positive 471 | Nice [ASP]packing[ASP] . !sent! Positive 472 | I switched to this because I wanted something different , even though I miss [ASP]windows[ASP] . !sent! Positive 473 | Apple no longer includes [ASP]iDVD[ASP] with the computer and furthermore , Apple does n't even offer it anymore ! !sent! Negative 474 | I also wanted [ASP]Windows 7[ASP] , which this one has . !sent! Positive 475 | At first , I feel a little bit uncomfortable in using the [ASP]Mac system[ASP] . !sent! Negative 476 | I am used to computers with [ASP]windows[ASP] so I am having a little difficulty finding my way around . !sent! Neutral 477 | It just [ASP]works[ASP] out of the box and you have a lot of cool software included with the OS . !sent! Positive 478 | It just works out of the box and you have a lot of cool [ASP]software[ASP] included with the OS . !sent! Positive 479 | It just works out of the box and you have a lot of cool software included with the [ASP]OS[ASP] . !sent! Neutral 480 | its as advertised on here ... it [ASP]works[ASP] great and is not a waste of money ! !sent! Positive 481 | [ASP]Runs[ASP] like a champ ... !sent! Positive 482 | Premium [ASP]price[ASP] for the OS more than anything else . !sent! Positive 483 | Premium price for the [ASP]OS[ASP] more than anything else . !sent! Neutral 484 | I was a little concerned about the [ASP]touch pad[ASP] based on reviews , but I 've found it fine to work with . !sent! Positive 485 | The sound as mentioned earlier is n't the best , but it can be solved with [ASP]headphones[ASP] . !sent! Neutral 486 | However , the experience was great since the [ASP]OS[ASP] does not become unstable and the application will simply shutdown and reopen . !sent! Positive 487 | However , the experience was great since the OS does not become unstable and the [ASP]application[ASP] will simply shutdown and reopen . !sent! Positive 488 | If you ask me , for this [ASP]price[ASP] it should be included . !sent! Negative 489 | The [ASP]battery[ASP] is not as shown in the product photos . !sent! Negative 490 | [ASP]Shipping[ASP] was quick and product described was the product sent and so much more ... !sent! Positive 491 | the [ASP]retina display display[ASP] make pictures i took years ago jaw dropping . !sent! Positive 492 | The Mac Mini is probably the simplest example of [ASP]compact computing[ASP] out there . !sent! Positive 493 | Instead , I 'll focus more on the actual [ASP]performance and feature set of the hardware[ASP] itself so you can make an educated decision on which Mac to buy . !sent! Neutral 494 | Other [ASP]ports[ASP] include FireWire 800 , Gigabit Ethernet , MagSafe port , Microphone jack . !sent! Neutral 495 | Other ports include [ASP]FireWire 80Negative[ASP] , Gigabit Ethernet , MagSafe port , Microphone jack . !sent! Neutral 496 | Other ports include FireWire 800 , [ASP]Gigabit Ethernet[ASP] , MagSafe port , Microphone jack . !sent! Neutral 497 | Other ports include FireWire 800 , Gigabit Ethernet , [ASP]MagSafe port[ASP] , Microphone jack . !sent! Neutral 498 | Other ports include FireWire 800 , Gigabit Ethernet , MagSafe port , [ASP]Microphone jack[ASP] . !sent! Neutral 499 | Additionally , there is barely a [ASP]ventilation system[ASP] 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 . !sent! Negative 500 | Additionally , there is barely a ventilation system in the computer , and even the simple activity of [ASP]watching videos[ASP] let alone playing steam games causes the laptop to get very very hot , and in fact impossible to keep on lap . !sent! Neutral 501 | Additionally , there is barely a ventilation system in the computer , and even the simple activity of watching videos let alone [ASP]playing steam games[ASP] causes the laptop to get very very hot , and in fact impossible to keep on lap . !sent! Neutral 502 | Chatting with [ASP]Acer support[ASP] , I was advised the problem was corrupted operating system files . !sent! Neutral 503 | Chatting with Acer support , I was advised the problem was corrupted [ASP]operating system files[ASP] . !sent! Neutral 504 | It 's been a couple weeks since the purchase and I 'm struggle with finding the correct [ASP]keys[ASP] -LRB- but that was expected -RRB- . !sent! Neutral 505 | Many people complain about the new [ASP]OS[ASP] , and it 's urgent for Apple to fix it asap ! !sent! Negative 506 | Now that I have upgraded to [ASP]Lion[ASP] I am much happier about MAC OS and have just bought an iMac for office . !sent! Positive 507 | Now that I have upgraded to Lion I am much happier about [ASP]MAC OS[ASP] and have just bought an iMac for office . !sent! Positive 508 | User upgradeable [ASP]RAM[ASP] and HDD . !sent! Positive 509 | User upgradeable RAM and [ASP]HDD[ASP] . !sent! Positive 510 | But I wanted the Pro for the [ASP]CD/DVD player[ASP] . !sent! Positive 511 | I was a little worry at first because I do n't have a lot of experience with [ASP]os.x[ASP] and windows has always been second nature to me after many years of using windows . !sent! Neutral 512 | I was a little worry at first because I do n't have a lot of experience with os.x and [ASP]windows[ASP] has always been second nature to me after many years of using windows . !sent! Positive 513 | I was a little worry at first because I do n't have a lot of experience with os.x and windows has always been second nature to me after many years of using [ASP]windows[ASP] . !sent! Neutral 514 | With the softwares supporting the use of other [ASP]OS[ASP] makes it much better . !sent! Neutral 515 | With the [ASP]softwares[ASP] supporting the use of other OS makes it much better . !sent! Neutral 516 | I then upgraded to [ASP]Mac OS X 10.8 "Mountain Lion"[ASP] . !sent! Neutral 517 | I was considering buying the Air , but in reality , this one has a more powerful [ASP]performance[ASP] and seems much more convenient , even though it 's about .20 inch thicker and 2 lbs heavier . !sent! Positive 518 | At home and the office it gets plugged into an external 24 '' LCD screen , so [ASP]built in screen size[ASP] is not terribly important . !sent! Neutral 519 | At home and the office it gets plugged into an [ASP]external 24" LCD screen[ASP] , so built in screen size is not terribly important . !sent! Neutral 520 | Just beware no DVD slot so when I went to [ASP]install software[ASP] I had on CD I could n't . !sent! Negative 521 | Just beware no [ASP]DVD slot[ASP] so when I went to install software I had on CD I could n't . !sent! Neutral 522 | 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 [ASP]word processing program[ASP] to do so . !sent! Neutral 523 | This version of MacBook Pro runs on a [ASP]third-generation CPU ("Ivy Bridge")[ASP] , not the latest fourth-generation Haswell CPU the 2013 version has . !sent! Neutral 524 | This version of MacBook Pro runs on a third-generation CPU -LRB- `` Ivy Bridge '' -RRB- , not the latest [ASP]fourth-generation Haswell CPU[ASP] the 2013 version has . !sent! Neutral 525 | No [ASP]Cd Rom[ASP] in the new version there 's no way I 'm spending that kind of money on something has less features than the older version . !sent! Neutral 526 | No Cd Rom in the new version there 's no way I 'm spending that kind of money on something has less [ASP]features[ASP] than the older version . !sent! Negative 527 | the [ASP]volume[ASP] is really low to low for a laptopwas not expectin t volume to be so lowan i hate that about this computer !sent! Negative 528 | the volume is really low to low for a laptopwas not expectin t [ASP]volume[ASP] to be so lowan i hate that about this computer !sent! Negative 529 | and its not hard to accidentally bang it against something so i recommend getting a [ASP]case[ASP] to protect it . !sent! Neutral 530 | I got this at an amazing [ASP]price[ASP] from Amazon and it arrived just in time . !sent! Positive 531 | Every time I [ASP]log into the system[ASP] after a few hours , there is this endlessly frustrating process that I have to go through . !sent! Negative 532 | Put a SSD and use a [ASP]21" LED screen[ASP] , this set up is silky smooth ! !sent! Neutral 533 | Put a [ASP]SSD[ASP] and use a 21 '' LED screen , this set up is silky smooth ! !sent! Neutral 534 | Put a SSD and use a 21 '' LED screen , this [ASP]set up[ASP] is silky smooth ! !sent! Positive 535 | The [ASP]case[ASP] is now slightly larger than the previous generation , but the lack of an external power supply justifies the small increase in size . !sent! Negative 536 | The case is now slightly larger than the previous generation , but the lack of an [ASP]external power supply[ASP] justifies the small increase in size . !sent! Neutral 537 | I had to buy a [ASP]wireless mouse[ASP] 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 . !sent! Neutral 538 | I had to buy a wireless mouse to go with it , as I am old school and hate the [ASP]pad[ASP] , 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 . !sent! Negative 539 | 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 [ASP]works[ASP] great , need to get adjusted to the key board , as I am used to a bigger one and pounding . !sent! Positive 540 | 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 [ASP]key board[ASP] , as I am used to a bigger one and pounding . !sent! Neutral 541 | When considering a Mac , look at the total [ASP]cost of ownership[ASP] and not just the initial price tag . !sent! Neutral 542 | When considering a Mac , look at the total cost of ownership and not just the initial [ASP]price tag[ASP] . !sent! Neutral 543 | Has all the other [ASP]features[ASP] I wanted including a VGA port , HDMI , ethernet and 3 USB ports . !sent! Positive 544 | Has all the other features I wanted including a [ASP]VGA port[ASP] , HDMI , ethernet and 3 USB ports . !sent! Neutral 545 | Has all the other features I wanted including a VGA port , [ASP]HDMI[ASP] , ethernet and 3 USB ports . !sent! Neutral 546 | Has all the other features I wanted including a VGA port , HDMI , [ASP]ethernet[ASP] and 3 USB ports . !sent! Neutral 547 | Has all the other features I wanted including a VGA port , HDMI , ethernet and 3 [ASP]USB ports[ASP] . !sent! Neutral 548 | The only thing I dislike about this laptop are the [ASP]rubber pads[ASP] found on the bottom of the computer for grip . !sent! Negative 549 | It 's a decent computer for the [ASP]price[ASP] and hopefully it will last a long time . !sent! Neutral 550 | The nicest part is the low [ASP]heat output[ASP] and ultra quiet operation . !sent! Positive 551 | The nicest part is the low heat output and ultra quiet [ASP]operation[ASP] . !sent! Positive 552 | I will [ASP]upgrade the ram[ASP] myself -LRB- because with this model you can you can do it -RRB- later on . !sent! Positive 553 | The [ASP]price[ASP] is 200 dollars down . !sent! Positive 554 | this Mac Mini does not have a [ASP]built-in mic[ASP] , and it would seem that its Mac OS 10.9 does not handle external microphones properly . !sent! Neutral 555 | this Mac Mini does not have a built-in mic , and it would seem that its [ASP]Mac OS 10.9[ASP] does not handle external microphones properly . !sent! Negative 556 | this Mac Mini does not have a built-in mic , and it would seem that its Mac OS 10.9 does not handle [ASP]external microphones[ASP] properly . !sent! Neutral 557 | A lot of [ASP]features[ASP] and shortcuts on the MBP that I was never exposed to on a normal PC . !sent! Neutral 558 | A lot of features and [ASP]shortcuts[ASP] on the MBP that I was never exposed to on a normal PC . !sent! Neutral 559 | 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 [ASP]IOS system[ASP] on a Mac Pro and it was totally unique and different . !sent! Positive 560 | air has higher [ASP]resolution[ASP] but the fonts are small . !sent! Positive 561 | air has higher resolution but the [ASP]fonts[ASP] are small . !sent! Negative 562 | [ASP]working[ASP] with Mac is so much easier , so many cool features . !sent! Positive 563 | working with Mac is so much easier , so many cool [ASP]features[ASP] . !sent! Positive 564 | I like the [ASP]brightness[ASP] and adjustments . !sent! Positive 565 | I like the brightness and [ASP]adjustments[ASP] . !sent! Positive 566 | I only wish this mac had a [ASP]CD/DVD player[ASP] built in . !sent! Neutral 567 | The only thing I miss is that my old Alienware laptop had [ASP]backlit keys[ASP] . !sent! Negative 568 | The only thing I miss are the [ASP]"Home/End" type keys[ASP] and other things that I grew accustomed to after so long . !sent! Neutral 569 | So happy with this purchase , I just wish it came with [ASP]Microsoft Word[ASP] . !sent! Neutral 570 | It has enough [ASP]memory[ASP] and speed to run my business with all the flexibility that comes with a laptop . !sent! Positive 571 | It has enough memory and [ASP]speed[ASP] to run my business with all the flexibility that comes with a laptop . !sent! Positive 572 | It has enough memory and speed to run my business with all the [ASP]flexibility[ASP] that comes with a laptop . !sent! Positive 573 | The [ASP]speed[ASP] , the simplicity , the design . . it is lightyears ahead of any PC I have ever owned . !sent! Positive 574 | The speed , the [ASP]simplicity[ASP] , the design . . it is lightyears ahead of any PC I have ever owned . !sent! Positive 575 | The speed , the simplicity , the [ASP]design[ASP] . . it is lightyears ahead of any PC I have ever owned . !sent! Positive 576 | The [ASP]battery life[ASP] is excellent , the display is excellent , and downloading apps is a breeze . !sent! Positive 577 | The battery life is excellent , the [ASP]display[ASP] is excellent , and downloading apps is a breeze . !sent! Positive 578 | The battery life is excellent , the display is excellent , and [ASP]downloading apps[ASP] is a breeze . !sent! Positive 579 | The [ASP]screen[ASP] , the software and the smoothness of the operating system . !sent! Positive 580 | The screen , the [ASP]software[ASP] and the smoothness of the operating system . !sent! Positive 581 | The screen , the software and the smoothness of the [ASP]operating system[ASP] . !sent! Positive 582 | i have dropped mine a couple times with only a [ASP]slim plastic case[ASP] covering it . !sent! Neutral 583 | I also made a [ASP]recovery USB stick[ASP] . !sent! Neutral 584 | But with this laptop , the [ASP]bass[ASP] is very weak and the sound comes out sounding tinny . !sent! Negative 585 | But with this laptop , the bass is very weak and the [ASP]sound[ASP] comes out sounding tinny . !sent! Negative 586 | The [ASP]built quality[ASP] is really good , I was so Happy and excited about this Product . !sent! Positive 587 | I am loving the fast [ASP]performance[ASP] also . !sent! Positive 588 | Further , this Mac Mini has a sloppy [ASP]Bluetooth interface[ASP] -LRB- courtesy of the Mac OS -RRB- and the range is poor . !sent! Negative 589 | Further , this Mac Mini has a sloppy Bluetooth interface -LRB- courtesy of the [ASP]Mac OS[ASP] -RRB- and the range is poor . !sent! Negative 590 | Further , this Mac Mini has a sloppy Bluetooth interface -LRB- courtesy of the Mac OS -RRB- and the [ASP]range[ASP] is poor . !sent! Negative 591 | If you start on the far right side and scroll to your left the [ASP]start menu[ASP] will automatically come up . !sent! Neutral 592 | My only gripe would be the need to add more [ASP]RAM[ASP] . !sent! Negative 593 | Fine if you have a [ASP]touch screen[ASP] . !sent! Neutral 594 | As far as user type - I dabble in everything from [ASP]games[ASP] -LRB- WoW -RRB- to Photoshop , but nothing professionally . !sent! Neutral 595 | As far as user type - I dabble in everything from games -LRB- WoW -RRB- to [ASP]Photoshop[ASP] , but nothing professionally . !sent! Neutral 596 | I re-seated the [ASP]"WLAN" card[ASP] inside and re-installed the LAN device drivers . !sent! Neutral 597 | I re-seated the `` WLAN '' card inside and re-installed the [ASP]LAN device drivers[ASP] . !sent! Neutral 598 | This by far beats any computer out on the market today [ASP]built[ASP] well , battery life AMAZING . !sent! Positive 599 | This by far beats any computer out on the market today built well , [ASP]battery life[ASP] AMAZING . !sent! Positive 600 | The [ASP]OS[ASP] is easy , and offers all kinds of surprises . !sent! Positive 601 | I had to get [ASP]Apple Customer Support[ASP] to correct the problem . !sent! Neutral 602 | A veryimportant feature is [ASP]Firewire 80Negative[ASP] 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 . !sent! Positive 603 | A veryimportant feature is Firewire 800 which in my experience works better then [ASP]USB3[ASP] -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 . !sent! Negative 604 | A veryimportant feature is Firewire 800 which in my experience works better then USB3 -LRB- in PC enabled with [ASP]USB3[ASP] -RRB- I was not originally sold on the MAC OS I felt it was inferior in many ways To Windows 7 . !sent! Neutral 605 | 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 [ASP]MAC OS[ASP] I felt it was inferior in many ways To Windows 7 . !sent! Negative 606 | 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 [ASP]Windows 7[ASP] . !sent! Positive 607 | I like [ASP]iTunes[ASP] , the apparent security , the Mini form factor , all the nice graphics stuff . !sent! Positive 608 | I like iTunes , the apparent [ASP]security[ASP] , the Mini form factor , all the nice graphics stuff . !sent! Positive 609 | I like iTunes , the apparent security , the [ASP]Mini form factor[ASP] , all the nice graphics stuff . !sent! Positive 610 | I like iTunes , the apparent security , the Mini form factor , all the nice [ASP]graphics stuff[ASP] . !sent! Positive 611 | The first time I used the [ASP]card reader[ASP] it took half an hour and a pair of tweezers to remove the card . !sent! Negative 612 | The first time I used the card reader it took half an hour and a pair of tweezers to [ASP]remove the card[ASP] . !sent! Negative 613 | After replacing the [ASP]spinning hard disk[ASP] with an ssd drive , my mac is just flying . !sent! Neutral 614 | After replacing the spinning hard disk with an [ASP]ssd drive[ASP] , my mac is just flying . !sent! Positive 615 | I know some people complained about [ASP]HDMI[ASP] issues but they released a firmware patch to address that issue . !sent! Neutral 616 | I know some people complained about HDMI issues but they released a [ASP]firmware patch[ASP] to address that issue . !sent! Neutral 617 | With the needs of a professional photographer I generally need to keep up with the best [ASP]specs[ASP] . !sent! Neutral 618 | [ASP]packing[ASP] and everything was perfect !sent! Positive 619 | I called Toshiba where I gave them the serial number and they informed me that they were having issues with the [ASP]mother boards[ASP] . !sent! Neutral 620 | I seem to be having repeat problems as the [ASP]Mother Board[ASP] in this one is diagnosed as faulty , related to the graphics card . !sent! Negative 621 | I seem to be having repeat problems as the Mother Board in this one is diagnosed as faulty , related to the [ASP]graphics card[ASP] . !sent! Negative 622 | It also comes with [ASP]4G of RAM[ASP] 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 . !sent! Neutral 623 | It also comes with 4G of RAM but if you 're like me you want to max that out so I immediately put [ASP]8G of RAM[ASP] in her and I 've never used a computer that performs better . !sent! Neutral 624 | 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 [ASP]performs[ASP] better . !sent! Positive 625 | This computer is also awesome for my sons [ASP]virtual home schooling[ASP] . !sent! Positive 626 | [ASP]Cost[ASP] is more as compared to other brands . !sent! Negative 627 | also ... - excellent [ASP]operating system[ASP] - size and weight for optimal mobility - excellent durability of the battery - the functions provided by the trackpad is unmatched by any other brand - !sent! Positive 628 | also ... - excellent operating system - [ASP]size[ASP] and weight for optimal mobility - excellent durability of the battery - the functions provided by the trackpad is unmatched by any other brand - !sent! Positive 629 | also ... - excellent operating system - size and [ASP]weight[ASP] for optimal mobility - excellent durability of the battery - the functions provided by the trackpad is unmatched by any other brand - !sent! Positive 630 | also ... - excellent operating system - size and weight for optimal [ASP]mobility[ASP] - excellent durability of the battery - the functions provided by the trackpad is unmatched by any other brand - !sent! Positive 631 | also ... - excellent operating system - size and weight for optimal mobility - excellent [ASP]durability of the battery[ASP] - the functions provided by the trackpad is unmatched by any other brand - !sent! Positive 632 | also ... - excellent operating system - size and weight for optimal mobility - excellent durability of the battery - the [ASP]functions provided by the trackpad[ASP] is unmatched by any other brand - !sent! Positive 633 | This [ASP]hardware[ASP] seems to be better than the iMac in that it is n't $ 1400 and smaller . !sent! Positive 634 | I 've had it for about 2 months now and found no issues with [ASP]software[ASP] or updates . !sent! Neutral 635 | I 've had it for about 2 months now and found no issues with software or [ASP]updates[ASP] . !sent! Neutral 636 | the latest version does not have a [ASP]disc drive[ASP] . !sent! Neutral 637 | [ASP]Screen[ASP] - although some people might complain about low res which I think is ridiculous . !sent! Positive 638 | Screen - although some people might complain about low [ASP]res[ASP] which I think is ridiculous . !sent! Positive 639 | -------------------------------------------------------------------------------- /datasets/apc_datasets/SemEval/restaurant15/restaurant_test.raw: -------------------------------------------------------------------------------- 1 | love $T$ 2 | al di la 3 | Positive 4 | i recommend this $T$ to everyone . 5 | place 6 | Positive 7 | great $T$ . 8 | food 9 | Positive 10 | the $T$ are incredible , the risottos ( particularly the sepia ) are fantastic and the braised rabbit is amazing . 11 | pastas 12 | Positive 13 | the pastas are incredible , the $T$ ( particularly the sepia ) are fantastic and the braised rabbit is amazing . 14 | risottos 15 | Positive 16 | the pastas are incredible , the risottos ( particularly the $T$ ) are fantastic and the braised rabbit is amazing . 17 | sepia 18 | Positive 19 | the pastas are incredible , the risottos ( particularly the sepia ) are fantastic and the $T$ is amazing . 20 | braised rabbit 21 | Positive 22 | the $T$ here was mediocre at best . 23 | food 24 | Negative 25 | it was totally overpriced- $T$ was about $ 15 .... 26 | fish and chips 27 | Negative 28 | tasty $T$ ! 29 | dog 30 | Positive 31 | an awesome organic $T$ , and a conscious eco friendly establishment . 32 | dog 33 | Positive 34 | an awesome organic dog , and a conscious eco friendly $T$ . 35 | establishment 36 | Positive 37 | the $T$ has a lot going for it . 38 | cypriot restaurant 39 | Positive 40 | but the best $T$ i ever had is the main thing . 41 | pork souvlaki 42 | Positive 43 | super yummy $T$ ! 44 | pizza 45 | Positive 46 | i was visiting new york city with a friend and we discovered this really warm and inviting $T$ . 47 | restaurant 48 | Positive 49 | i looove their $T$ , as well as their pastas ! 50 | eggplant pizza 51 | Positive 52 | i looove their eggplant pizza , as well as their $T$ ! 53 | pastas 54 | Positive 55 | we had $T$ , mine was eggplant and my friend had the buffalo and it was sooo huge for a small size pizza ! 56 | half / half pizza 57 | Positive 58 | excellent $T$ , although the interior could use some help . 59 | food 60 | Positive 61 | excellent food , although the $T$ could use some help . 62 | interior 63 | Negative 64 | the $T$ kind of feels like an alice in wonderland setting , without it trying to be that . 65 | space 66 | Negative 67 | i paid just about $ 60 for a good $T$ , though :) 68 | meal 69 | Positive 70 | great $T$ ! 71 | sake 72 | Positive 73 | reliable , fresh $T$ 74 | sushi 75 | Positive 76 | the $T$ is always fresh and the rolls are innovative and delicious . 77 | sashimi 78 | Positive 79 | the sashimi is always fresh and the $T$ are innovative and delicious . 80 | rolls 81 | Positive 82 | have never had a problem with $T$ save a missing rice once . 83 | service 84 | Positive 85 | $T$ can be spot on or lacking depending on the weather and the day of the week . 86 | delivery 87 | Negative 88 | $T$ sometimes get upset if you do n't tip more than 10 % . 89 | delivery guy 90 | Negative 91 | best . $T$ . ever . 92 | sushi 93 | Positive 94 | this place has ruined me for neighborhood $T$ . 95 | sushi 96 | Positive 97 | excellent $T$ , and the millennium roll is beyond delicious . 98 | sashimi 99 | Positive 100 | excellent sashimi , and the $T$ is beyond delicious . 101 | millennium roll 102 | Positive 103 | the $T$ is a bit hidden away , but once you get there , it 's all worth it . 104 | place 105 | Neutral 106 | not only is the $T$ 107 | food 108 | Positive 109 | the $T$ was attentive , the food was delicious and the views of the city were great . 110 | waiter 111 | Positive 112 | the waiter was attentive , the $T$ was delicious and the views of the city were great . 113 | food 114 | Positive 115 | the waiter was attentive , the food was delicious and the $T$ were great . 116 | views of the city 117 | Positive 118 | great $T$ to relax and enjoy your dinner 119 | place 120 | Positive 121 | there is something about their $T$ that makes me come back nearly every week . 122 | atmosphere 123 | Positive 124 | $T$ is open till late , no dress code . 125 | place 126 | Positive 127 | good $T$ : my favorite is the sea$t$ spaghetti . 128 | food 129 | Positive 130 | good food : my favorite is the $T$ . 131 | seafood spaghetti 132 | Positive 133 | excellent $T$ for great prices 134 | food 135 | Positive 136 | the $T$ is very courteous and accomodating . 137 | wait staff 138 | Positive 139 | the $T$ is limited so be prepared to wait up to 45 minutes - 1 hour , but be richly rewarded when you savor the delicious indo - chinese food . 140 | space 141 | Neutral 142 | the space is limited so be prepared to wait up to 45 minutes - 1 hour , but be richly rewarded when you savor the delicious $T$ . 143 | indo - chinese food 144 | Positive 145 | my favorite $T$ lol 146 | place 147 | Positive 148 | i love their $T$ ca nt remember the name but is sooo good 149 | chicken pasta 150 | Positive 151 | i m not necessarily fanatical about this $T$ , but it was a fun time for low pirces . 152 | place 153 | Positive 154 | $T$ was good , nothing spectacular . 155 | lobster 156 | Neutral 157 | its just a fun place to go , not a five star $T$ . 158 | restaraunt 159 | Neutral 160 | i think the $T$ is so overrated and was under cooked . 161 | pizza 162 | Negative 163 | had no flavor and the $T$ is rude and not attentive . 164 | staff 165 | Negative 166 | i love this $T$ 167 | place 168 | Positive 169 | the $T$ was quick and friendly . 170 | service 171 | Positive 172 | i thought the $T$ was nice and clean . 173 | restaurant 174 | Positive 175 | i ordered the $T$ and i was pretty impressed . 176 | vitello alla marsala 177 | Positive 178 | the $T$ and the mushrooms were cooked perfectly . 179 | veal 180 | Positive 181 | the veal and the $T$ were cooked perfectly . 182 | mushrooms 183 | Positive 184 | the $T$ were not dry at all ... in fact it was buttery . 185 | potato balls 186 | Positive 187 | worst $T$ on smith street in brooklyn 188 | place 189 | Negative 190 | very immature $T$ , did nt know how to make specific drinks , service was so slowwwww , the food was not fresh or warm , waitresses were busy flirting with men at the bar and were nt very attentive to all the customers . 191 | bartender 192 | Negative 193 | very immature bartender , did nt know how to make specific drinks , $T$ was so slowwwww , the food was not fresh or warm , waitresses were busy flirting with men at the bar and were nt very attentive to all the customers . 194 | service 195 | Negative 196 | very immature bartender , did nt know how to make specific drinks , service was so slowwwww , the $T$ was not fresh or warm , waitresses were busy flirting with men at the bar and were nt very attentive to all the customers . 197 | food 198 | Negative 199 | very immature bartender , did nt know how to make specific drinks , service was so slowwwww , the food was not fresh or warm , $T$ were busy flirting with men at the bar and were nt very attentive to all the customers . 200 | waitresses 201 | Negative 202 | i would never recommend this $T$ to anybody even for a casual dinner . 203 | place 204 | Negative 205 | the $T$ is always fresh ... 206 | food 207 | Positive 208 | overpriced $T$ with mediocre service 209 | japanese food 210 | Negative 211 | overpriced japanese food with mediocre $T$ 212 | service 213 | Neutral 214 | $T$ had tomato or pimentos on top ? ? 215 | chicken teriyaki 216 | Negative 217 | $T$ was luke warm . 218 | food 219 | Negative 220 | the $T$ was not attentive at all . 221 | waitress 222 | Negative 223 | i was looking for banana tempura for $T$ and they do nt have . 224 | dessert 225 | Negative 226 | not because you are " $T$ " ... – you are allowed to charge an arm and a leg for a romatic dinner . 227 | the four seasons 228 | Negative 229 | the $T$ was excellent as well as service , however , i left the four seasons very dissappointed . 230 | food 231 | Positive 232 | the food was excellent as well as $T$ , however , i left the four seasons very dissappointed . 233 | service 234 | Positive 235 | the food was excellent as well as service , however , i left $T$ very dissappointed . 236 | the four seasons 237 | Negative 238 | i do not think $T$ in manhattan should cost $ 400.00 where i am not swept off my feet . 239 | dinner 240 | Negative 241 | $T$ - my favorite thing to eat , of any food group - hands down 242 | red dragon roll 243 | Positive 244 | just go to $T$ and order the red dragon roll . 245 | yamato 246 | Positive 247 | just go to yamato and order the $T$ . 248 | red dragon roll 249 | Positive 250 | the $T$ is also otherworldly . 251 | seafood dynamite 252 | Positive 253 | favorite $T$ in nyc 254 | sushi 255 | Positive 256 | an unpretentious $T$ in park slope , the sushi is consistently good , the service is pleasant , effective and unassuming . 257 | spot 258 | Positive 259 | an unpretentious spot in park slope , the $T$ is consistently good , the service is pleasant , effective and unassuming . 260 | sushi 261 | Positive 262 | an unpretentious spot in park slope , the sushi is consistently good , the $T$ is pleasant , effective and unassuming . 263 | service 264 | Positive 265 | in the summer months , the $T$ is really nice . 266 | back garden area 267 | Positive 268 | the $T$ are creative and i have yet to find another sushi place that serves up more inventive yet delicious japanese food . 269 | rolls 270 | Positive 271 | the rolls are creative and i have yet to find another sushi place that serves up more inventive yet delicious $T$ . 272 | japanese food 273 | Positive 274 | the $T$ are musts . 275 | dancing , white river and millenium rolls 276 | Positive 277 | i can eat here every day of the week really lol love this $T$ ... ) 278 | place 279 | Positive 280 | gross $T$ – wow- 281 | food 282 | Negative 283 | i ca n't remember the last time i had such gross $T$ in new york . 284 | food 285 | Negative 286 | my $T$ tasted like it had been made by a three - year old with no sense of proportion or flavor . 287 | quesadilla 288 | Negative 289 | and $ 11 for a plate of bland $T$ ? 290 | guacamole 291 | Negative 292 | do n't get me started on the $T$ , either . 293 | margaritas 294 | Negative 295 | oh , and i never write reviews -- i just was so moved by how bad this $T$ was , i felt it was my duty to spread the word . 296 | place 297 | Negative 298 | great $T$ ! 299 | indian food 300 | Positive 301 | the $T$ was good , the place was clean and affordable . 302 | food 303 | Positive 304 | the food was good , the $T$ was clean and affordable . 305 | place 306 | Positive 307 | i noticed alot of indian people eatting there which is a great sign for an $T$ ! 308 | indian place 309 | Positive 310 | this is one of my favorite spot , very relaxing the $T$ is great all the times , celebrated my engagement and my wedding here , it was very well organized . 311 | food 312 | Positive 313 | the $T$ is very good . 314 | staff 315 | Positive 316 | love their $T$ . 317 | drink menu 318 | Positive 319 | i highly recommend this beautiful $T$ . 320 | place 321 | Positive 322 | we were offered water for the table but were not told the $T$ were $ 8 a piece . 323 | voss bottles of water 324 | Negative 325 | $T$ was ok . 326 | food 327 | Neutral 328 | nice $T$ . 329 | view of river and nyc 330 | Positive 331 | great $T$ 332 | survice 333 | Positive 334 | a beautifully designed dreamy $T$ that gets sceney at night . 335 | egyptian restaurant 336 | Positive 337 | watch the talented belly dancers as you enjoy delicious $T$ that 's more lemony than smoky . 338 | baba ganoush 339 | Positive 340 | watch the talented $T$ as you enjoy delicious baba ganoush that 's more lemony than smoky . 341 | belly dancers 342 | Positive 343 | oh , and there 's $T$ . 344 | hookah 345 | Positive 346 | $T$ the bartender rocks ! 347 | raymond 348 | Positive 349 | $T$ is a great place to casually hang out . 350 | pacifico 351 | Positive 352 | the $T$ are great , especially when made by raymond . 353 | drinks 354 | Positive 355 | the drinks are great , especially when made by $T$ . 356 | raymond 357 | Positive 358 | the $T$ is great ... 359 | omlette for brunch 360 | Positive 361 | the $T$ is fresh , definately not frozen ... 362 | spinach 363 | Positive 364 | $T$ at pacifico is yummy , as are the wings with chimmichuri . 365 | quacamole 366 | Positive 367 | quacamole at pacifico is yummy , as are the $T$ . 368 | wings with chimmichuri 369 | Positive 370 | a weakness is the $T$ . 371 | chicken in the salads 372 | Negative 373 | also , i personally was n't a fan of the $T$ . 374 | portobello and asparagus mole 375 | Negative 376 | overall , decent $T$ at a good price , with friendly people . 377 | food 378 | Neutral 379 | overall , decent food at a good price , with friendly $T$ . 380 | people 381 | Positive 382 | best $T$ in the city 383 | indian restaurant 384 | Positive 385 | $T$ needs to be upgraded but the food is amazing ! 386 | decor 387 | Negative 388 | decor needs to be upgraded but the $T$ is amazing ! 389 | food 390 | Positive 391 | this small astoria souvlaki spot makes what many consider the best $T$ in new york . 392 | gyros 393 | Positive 394 | what really makes it shine is the $T$ , which is aggressively seasoned with cyrpriot spices , and all made in - house ( even the gyro meat and sausages ) , and made of much higher quality ingredients that might otherwise be expected . 395 | food 396 | Positive 397 | what really makes it shine is the food , which is aggressively seasoned with cyrpriot spices , and all made in - house ( even the $T$ and sausages ) , and made of much higher quality ingredients that might otherwise be expected . 398 | gyro meat 399 | Positive 400 | what really makes it shine is the food , which is aggressively seasoned with cyrpriot spices , and all made in - house ( even the gyro meat and $T$ ) , and made of much higher quality ingredients that might otherwise be expected . 401 | sausages 402 | Positive 403 | what really makes it shine is the food , which is aggressively seasoned with cyrpriot spices , and all made in - house ( even the gyro meat and sausages ) , and made of much higher quality $T$ that might otherwise be expected . 404 | ingredients 405 | Positive 406 | all the various $T$ are excellent , but the gyro is the reason to come -- if you do n't eat one your trip was wasted . 407 | greek and cypriot dishes 408 | Positive 409 | all the various greek and cypriot dishes are excellent , but the $T$ is the reason to come -- if you do n't eat one your trip was wasted . 410 | gyro 411 | Positive 412 | best $T$ in brooklyn 413 | restaurant 414 | Positive 415 | great $T$ , amazing service , this place is a class act . 416 | food 417 | Positive 418 | great food , amazing $T$ , this place is a class act . 419 | service 420 | Positive 421 | great food , amazing service , this $T$ is a class act . 422 | place 423 | Positive 424 | the $T$ was incredible last night . 425 | veal 426 | Positive 427 | this $T$ is a must visit ! 428 | place 429 | Positive 430 | most of the $T$ allow you to sit next to eachother without looking like ' that ' couple . 431 | booths 432 | Positive 433 | the $T$ is all shared so we get to order together and eat together . 434 | food 435 | Positive 436 | i 've enjoyed 99 % of the $T$ we 've ordered with the only exceptions being the occasional too - authentic - for - me dish ( i 'm a daring eater but not that daring ) . 437 | dishes 438 | Positive 439 | i 've enjoyed 99 % of the $T$ es we 've ordered with the only exceptions being the occasional too - authentic - for - me dish ( i 'm a daring eater but not that daring ) . 440 | dish 441 | Negative 442 | my daughter 's wedding reception at $T$ received the highest compliments from our guests . 443 | water 's edge 444 | Positive 445 | everyone raved about the $T$ ( elegant rooms and absolutely incomparable views ) and the fabulous food ! 446 | atmosphere 447 | Positive 448 | everyone raved about the atmosphere ( elegant $T$ and absolutely incomparable views ) and the fabulous food ! 449 | rooms 450 | Positive 451 | everyone raved about the atmosphere ( elegant rooms and absolutely incomparable $T$ ) and the fabulous food ! 452 | views 453 | Positive 454 | everyone raved about the atmosphere ( elegant rooms and absolutely incomparable views ) and the fabulous $T$ ! 455 | food 456 | Positive 457 | $T$ was wonderful ; 458 | service 459 | Positive 460 | $T$ , the maitre d ' , was totally professional and always on top of things . 461 | paul 462 | Positive 463 | thank you everyone at $T$ . 464 | water 's edge 465 | Positive 466 | $T$ ok but unfriendly , filthy bathroom . 467 | service 468 | Negative 469 | service ok but unfriendly , filthy $T$ . 470 | bathroom 471 | Negative 472 | the high prices you 're going to pay is for the $T$ not for the food . 473 | view 474 | Neutral 475 | the high prices you 're going to pay is for the view not for the $T$ . 476 | food 477 | Negative 478 | the $T$ were eh , ok to say the least . 479 | bar drinks 480 | Negative 481 | the $T$ was horrid ... tasted like cardboard . 482 | stuff tilapia 483 | Negative 484 | we thought the $T$ would be better , wrong ! 485 | dessert 486 | Negative 487 | oh speaking of bathroom , the $T$ was disgusting . 488 | mens bathroom 489 | Negative 490 | the $T$ was extensive - though the staff did not seem knowledgeable about wine pairings . 491 | wine list 492 | Positive 493 | the wine list was extensive - though the $T$ did not seem knowledgeable about wine pairings . 494 | staff 495 | Negative 496 | the $T$ we received was horrible - rock hard and cold - and the " free " appetizer of olives was disappointing . 497 | bread 498 | Negative 499 | the bread we received was horrible - rock hard and cold - and the " free " $T$ was disappointing . 500 | appetizer of olives 501 | Negative 502 | however , our $T$ was wonderful . 503 | main course 504 | Positive 505 | i had $T$ and my husband had the filet - both of which exceeded our expectations . 506 | fish 507 | Positive 508 | i had fish and my husband had the $T$ - both of which exceeded our expectations . 509 | filet 510 | Positive 511 | the dessert ( we had a $T$ ) was good - but , once again , the staff was unable to provide appropriate drink suggestions . 512 | pear torte 513 | Positive 514 | the dessert ( we had a pear torte ) was good - but , once again , the $T$ was unable to provide appropriate drink suggestions . 515 | staff 516 | Negative 517 | when we inquired about ports - the $T$ listed off several but did not know taste variations or cost . 518 | waitress 519 | Negative 520 | not what i would expect for the price and prestige of this $T$ . 521 | location 522 | Neutral 523 | all in all , i would return - as it was a beautiful $T$ - but i hope the staff pays more attention to the little details in the future . 524 | restaurant 525 | Positive 526 | all in all , i would return - as it was a beautiful restaurant - but i hope the $T$ pays more attention to the little details in the future . 527 | staff 528 | Negative 529 | short and sweet – $T$ is great : it 's romantic , cozy and private . 530 | seating 531 | Positive 532 | the $T$ are not as small as some of the reviews make them out to look they 're perfect for 2 people . 533 | boths 534 | Positive 535 | the $T$ was extremely fast and attentive(thanks to the service button on your table ) but i barely understood 1 word when the waiter took our order . 536 | service 537 | Positive 538 | the service was extremely fast and attentive(thanks to the $T$ on your table ) but i barely understood 1 word when the waiter took our order . 539 | service button 540 | Positive 541 | the service was extremely fast and attentive(thanks to the service button on your table ) but i barely understood 1 word when the $T$ took our order . 542 | waiter 543 | Negative 544 | the $T$ was ok and fair nothing to go crazy . 545 | food 546 | Neutral 547 | over all the $T$ of the place exceeds the actual meals . 548 | looks 549 | Positive 550 | over all the looks of the place exceeds the actual $T$ . 551 | meals 552 | Negative 553 | so what you really end up paying for is the $T$ not the food . 554 | restaurant 555 | Negative 556 | so what you really end up paying for is the restaurant not the $T$ . 557 | food 558 | Negative 559 | subtle $T$ and service 560 | food 561 | Positive 562 | subtle food and $T$ 563 | service 564 | Positive 565 | noodle pudding is exactly the type of $T$ and food i enjoy . 566 | service 567 | Positive 568 | noodle pudding is exactly the type of service and $T$ i enjoy . 569 | food 570 | Positive 571 | servers are all different , $T$ is my favorite . 572 | greg 573 | Positive 574 | sometimes tables do n't understand his sense of humor but it 's refreshing to have a $T$ who has personality , professionalism , and respects the privacy of your dinner . 575 | server 576 | Positive 577 | this is the first place i 've been that a $T$ remembers my order ... hope he likes his job because i have half a mind to steal him for my restaurant . 578 | runner 579 | Positive 580 | prices are fair across the board for both $T$ and bev . 581 | food 582 | Positive 583 | prices are fair across the board for both food and $T$ . 584 | bev 585 | Positive 586 | i go out to eat and like my courses , $T$ are patient and never rush courses or force another drink . 587 | servers 588 | Positive 589 | amazing fresh $T$ but best of all endless toppings ! ! ! 590 | dogs 591 | Positive 592 | amazing fresh dogs but best of all endless $T$ ! ! ! 593 | toppings 594 | Positive 595 | this place had all the $T$ and i mean all . 596 | trimmings 597 | Positive 598 | amazing fun for hot dog lovers of all ages please do yourself a favor and check this $T$ out ! ! ! ! 599 | place 600 | Positive 601 | amazing fun for $T$ lovers of all ages please do yourself a favor and check this place out ! ! ! ! 602 | hot dog 603 | Positive 604 | stepping into $T$ last night was a true experience unlike any other in new york ! 605 | casa la femme 606 | Positive 607 | highly impressed from the $T$ to the food to the hospitality to the great night i had ! 608 | decor 609 | Positive 610 | highly impressed from the decor to the $T$ to the hospitality to the great night i had ! 611 | food 612 | Positive 613 | the have a great $T$ that is to die for ! 614 | cocktail with citrus vodka and lemon and lime juice and mint leaves 615 | Positive 616 | $T$ took some time to prepare , all worth waiting for . 617 | food 618 | Positive 619 | we were drawn into the $T$ that captivated the crowd . 620 | belly dancing show 621 | Positive 622 | i never write on these sites but this $T$ is def worth commending ! 623 | restaurant 624 | Positive 625 | maggot in the $T$ ! 626 | food 627 | Negative 628 | the $T$ looked great , and the waiter was very nice , but when the food came , it was average . 629 | menu 630 | Positive 631 | the menu looked great , and the $T$ was very nice , but when the food came , it was average . 632 | waiter 633 | Positive 634 | the menu looked great , and the waiter was very nice , but when the $T$ came , it was average . 635 | food 636 | Neutral 637 | nevertheless , i finished my plate , and that 's when i found a maggot in $T$ at the bottom . 638 | mushroom sauce 639 | Negative 640 | i showed it to the $T$ , and he smilingly apologized and brought us two free desserts ( but did not ask us what we wanted and so brought the last two desserts we would have asked for ) . 641 | manager 642 | Positive 643 | the $T$ finally said he would comp the two glasses of wine ( which cost less than the food ) , and made it seem like a big concession . 644 | manager 645 | Negative 646 | i have worked in restaurants and cook a lot , and there is no way a maggot should be able to get into well prepared $T$ . 647 | food 648 | Negative 649 | for a $T$ with such a good reputation and that is usually so packed , there was no reason for such a lack of intelligent customer service . 650 | restaurant 651 | Positive 652 | for a restaurant with such a good reputation and that is usually so packed , there was no reason for such a lack of intelligent $T$ . 653 | customer service 654 | Negative 655 | i got hair in my $T$ 2 times of then ! 656 | food 657 | Negative 658 | great $T$ , great value . 659 | place 660 | Positive 661 | the $T$ is flavorful , plentiful and reasonably priced . 662 | food 663 | Positive 664 | the $T$ is relaxed and casual . 665 | atmosphere 666 | Positive 667 | it 's a great $T$ to order from or sit - in . 668 | place 669 | Positive 670 | $T$ experience was unbelievable with my fiance . 671 | sushi 672 | Positive 673 | good creative $T$ ! 674 | rolls 675 | Positive 676 | $T$ is an excellent place to go if you re not into sashimi , or if you have friends who does nt like sushi much . 677 | yamato 678 | Positive 679 | they have great $T$ , the triple color and norwegetan rolls , are awesome and filling . 680 | rolls 681 | Positive 682 | they have great rolls , the $T$ , are awesome and filling . 683 | triple color and norwegetan rolls 684 | Positive 685 | one special roll and one regular roll is enough to fill you up , but save room for $T$ ! 686 | dessert 687 | Positive 688 | one $T$ and one regular roll is enough to fill you up , but save room for dessert ! 689 | special roll 690 | Positive 691 | one special roll and one $T$ is enough to fill you up , but save room for dessert ! 692 | regular roll 693 | Positive 694 | they have a delicious $T$ , as well as a great green tea tempura . 695 | banana chocolate dessert 696 | Positive 697 | they have a delicious banana chocolate dessert , as well as a great $T$ . 698 | green tea tempura 699 | Positive 700 | the $T$ are also delicious ! 701 | appetizers 702 | Positive 703 | amazing $T$ . 704 | food 705 | Positive 706 | mazing $T$ . 707 | interior 708 | Negative 709 | great $T$ ! 710 | food 711 | Positive 712 | i 've had my fair share of $T$ and this spot delivers . 713 | modern japanese 714 | Positive 715 | the $T$ was pretty nice but had a bit lacking , which it tries to make up for with a crazy scheme of mirrors . 716 | atmosphere 717 | Negative 718 | the atmosphere was pretty nice but had a bit lacking , which it tries to make up for with a crazy $T$ . 719 | scheme of mirrors 720 | Negative 721 | despite the confusing mirrors this will likely be my go - to for $T$ for the foreseeable future . 722 | modern japanese food 723 | Positive 724 | despite the confusing $T$ this will likely be my go - to for modern japanese food for the foreseeable future . 725 | mirrors 726 | Negative 727 | $T$ , pretty good ... 728 | indo chinese food 729 | Positive 730 | not a very fancy $T$ but very good chinese style indian food . 731 | place 732 | Neutral 733 | not a very fancy place but very good $T$ . 734 | chinese style indian food 735 | Positive 736 | the $T$ is my favorite , most of the dishes ( i have to agree with a previous reviewer ) are quite oily and very spicy , espeically the chilli chicken . 737 | chicken lollipop 738 | Positive 739 | the chicken lollipop is my favorite , most of the $T$ ( i have to agree with a previous reviewer ) are quite oily and very spicy , espeically the chilli chicken . 740 | dishes 741 | Negative 742 | the chicken lollipop is my favorite , most of the dishes ( i have to agree with a previous reviewer ) are quite oily and very spicy , espeically the $T$ . 743 | chilli chicken 744 | Negative 745 | my mom originally introduced me to this place , but even she ( being indian ) feels the $T$ can be somewhat over the top spicy and far too oily . 746 | food 747 | Negative 748 | i was speechless by the horrible $T$ . 749 | food 750 | Negative 751 | i attended a holiday dinner at the restaurant , and the $T$ was majorly disappointing . 752 | food 753 | Negative 754 | rather than preparing vegetarian dish , the $T$ presented me with a plate of steamed vegetables ( minus sauce , seasoning , or any form or aesthetic presentation ) . 755 | chef 756 | Negative 757 | rather than preparing $T$ , the chef presented me with a plate of steamed vegetables ( minus sauce , seasoning , or any form or aesthetic presentation ) . 758 | vegetarian dish 759 | Negative 760 | this $T$ survives on reputation alone . 761 | place 762 | Negative 763 | this is the most wonderful $T$ in all of new york city , not just brooklyn ... 764 | restaurant 765 | Positive 766 | for 7 years they have put out the most tasty , most delicious $T$ and kept it that way ... 767 | food 768 | Positive 769 | never swaying , never a bad $T$ , never bad service ... 770 | meal 771 | Positive 772 | never swaying , never a bad meal , never bad $T$ ... 773 | service 774 | Positive 775 | great $T$ , great wine list , great service in a great neighborhood ... 776 | food 777 | Positive 778 | great food , great $T$ , great service in a great neighborhood ... 779 | wine list 780 | Positive 781 | great food , great wine list , great $T$ in a great neighborhood ... 782 | service 783 | Positive 784 | great food , great wine list , great service in a great $T$ ... 785 | neighborhood 786 | Positive 787 | $T$ = true love 788 | patsy 's pizza 789 | Positive 790 | hands down the best $T$ on the planet . 791 | pizza 792 | Positive 793 | great $T$ .. 794 | hot dogs 795 | Positive 796 | the $T$ were juicy and tender inside and had plenty of crunch and snap on the outside . 797 | hot dogs 798 | Positive 799 | great $T$ definitely a place you need to check out for late night munchies or a mid day boost ! 800 | toppings 801 | Positive 802 | great toppings definitely a $T$ you need to check out for late night munchies or a mid day boost ! 803 | place 804 | Positive 805 | for me $T$ a little oily , but overall dining experience good . 806 | dishes 807 | Negative 808 | helpful $T$ and average price per dish $ 10 . 809 | service 810 | Positive 811 | helpful service and average price per $T$ $ 10 . 812 | dish 813 | Neutral 814 | the only thing that strikes you is the $T$ ? ( not very pleasant ) . 815 | decor 816 | Negative 817 | great $T$ 818 | food 819 | Positive 820 | this place has great $T$ . 821 | indian chinese food 822 | Positive 823 | be prepared to wait , because the $T$ is pretty tiny . 824 | place 825 | Negative 826 | even though the $T$ is not beautiful , the food speaks for itself . 827 | place 828 | Negative 829 | even though the place is not beautiful , the $T$ speaks for itself . 830 | food 831 | Positive 832 | best $T$ in the city , by far ! 833 | indian chinese 834 | Positive 835 | i came across $T$ by accident , now i go there all the time . 836 | village underground 837 | Positive 838 | the $T$ are amazing and very fairly priced . 839 | martinis 840 | Positive 841 | the $T$ is amazing , i 've had different waiters and they were all nice , which is a rare thing in nyc . 842 | service 843 | Positive 844 | the service is amazing , i 've had different $T$ and they were all nice , which is a rare thing in nyc . 845 | waiters 846 | Positive 847 | the $T$ is awesome , i have been there for my birthday and a bunch of other times with friends and i keep going back . 848 | dj 849 | Positive 850 | everything on the $T$ is great . 851 | menu 852 | Positive 853 | this $T$ is the real deal . 854 | establishment 855 | Positive 856 | wish ny had more of these kind of places : intimate , superb $T$ , homey , top notch all the way around , certainly worth the wait . 857 | food 858 | Positive 859 | but $ 500 for a $T$ that did n't include wine ? 860 | dinner for two 861 | Negative 862 | look , the $T$ were really good . 863 | appetizers 864 | Positive 865 | the $T$ was also very good . 866 | entree 867 | Positive 868 | what you are paying for is the $T$ and the name . 869 | environment 870 | Neutral 871 | yes , the $T$ is classy and beautiful , but they most certainly target the uber whealthy not the common joe that wants to go all out every once in a while . 872 | place 873 | Positive 874 | $T$ was good but not amazing . 875 | vanison 876 | Neutral 877 | $T$ was quite excellent however . 878 | bison 879 | Positive 880 | $T$ : pure disaster . 881 | dessert 882 | Negative 883 | i read reviews that called the $T$ too expensive and i thought to myself , but may be it is worth it . 884 | restaurant 885 | Negative 886 | $T$ has history and it is a sort of landmark of new york city restaurants , but trust me , they will charge you through the nose just so that you can say " i 've been to the four seasons restaurant " . 887 | the four seasons 888 | Neutral 889 | all in all , the $T$ was great ( except for the dessserts ) . 890 | food 891 | Positive 892 | all in all , the food was great ( except for the $T$ ) . 893 | dessserts 894 | Negative 895 | the $T$ is very upscale and you will see a lot of rich guys with trophy wives or just highly paid escorts . 896 | environment 897 | Neutral 898 | if you are going for the $T$ , it will not be worth it . 899 | food 900 | Negative 901 | you would think they would make up for it with $T$ , sadly , no . 902 | service 903 | Negative 904 | $T$ was just ok , it is not what you 'd expect for $ 500 . 905 | service 906 | Negative 907 | i agree that dining at $T$ is like no other dining experience ! 908 | casa la femme 909 | Negative 910 | i literally just got back home after visiting $T$ and was so offended by my visit felt it necessary to try and warn other diners who value their money and time . 911 | casa la femme 912 | Negative 913 | we did arrive late for our reservation so i can not complain too much about the $T$ for a table . 914 | wait 915 | Neutral 916 | the $T$ is beautiful ! 917 | place 918 | Positive 919 | the $T$ was very pleasant . 920 | hostess 921 | Positive 922 | however , our $ 14 $T$ were were horrible ! 923 | drinks 924 | Negative 925 | we also asked for hooka six times and the $T$ kept telling us one minute and never returning with the hooka . 926 | waiter 927 | Negative 928 | after the 4th time i asked again and the $T$ than said after our dinner . 929 | waiter 930 | Negative 931 | we asked for sides which the $T$ than admitted that he forgot to put in that part of our order . 932 | waiter 933 | Negative 934 | my $T$ was inedible as there were so many fatty lumps which i had to keep spitting out into my napkin . 935 | chicken 936 | Negative 937 | i would not expect this for a $ 55 $T$ . 938 | dinner 939 | Negative 940 | by the time we left our wallets were empy and so were our stomachs and we missed the show we were supposed to see following our dinner , which would have been acceptable if we got to enjoy the experience of good $T$ and belly dancers ! 941 | food 942 | Negative 943 | if it seemed possible to do so while there i would have fought my bill since my dinner portion of my $T$ was inedible ! 944 | meal 945 | Negative 946 | i have never left a $T$ feeling as if i was abused , and wasted my hard earned money . 947 | restaurant 948 | Negative 949 | the $T$ is fairly simple without much descriptions . 950 | menu 951 | Neutral 952 | there was no tap $T$ that evening , which was a disappointment . 953 | beer 954 | Negative 955 | not much of a $T$ either , we went with brahma . 956 | selection of bottled beer 957 | Negative 958 | the appetizers we ordered were served quickly - an order of $T$ were delicious but a tiny portion ( maybe 3 of each ) . 959 | fried oysters and clams 960 | Positive 961 | the $T$ ( special of the day ) were ok , but pretty tasteless . 962 | lobster knuckles 963 | Neutral 964 | i believe there were 2 shrimp in the $T$ . 965 | " salt encrusted shrimp " appetizer 966 | Negative 967 | i had the $T$ ... which was very good . 968 | thai style fried sea bass 969 | Positive 970 | everyone seemed generally happy with their $T$ , except my brother who had the grilled mahi mahi , seemingly drenched in grapfruit juice ! 971 | food 972 | Positive 973 | everyone seemed generally happy with their food , except my brother who had the $T$ , seemingly drenched in grapfruit juice ! 974 | grilled mahi mahi 975 | Negative 976 | i heard the $T$ was excellent . 977 | lobster roll 978 | Positive 979 | all in all the $T$ was good - a little on the expensive side , but fresh . 980 | food 981 | Positive 982 | $T$ not the friendliest to our " large party " ! 983 | service 984 | Negative 985 | great $T$ 986 | indian food 987 | Positive 988 | $T$ was amazing - i love indian food and eat it quite regularly , but i can say this is one of the best i 've had . 989 | food 990 | Positive 991 | very " normal $T$ " , but done really well . 992 | indian food 993 | Neutral 994 | i have it a 4 instead of 5 because of the price ( just chicken tikka masala - no bread of rice - is $ 25 ) , which i would expect at a upscale indian restaurant but this $T$ does n't have an upscale feel . 995 | place 996 | Positive 997 | i have it a 4 instead of 5 because of the price ( just $T$ - no bread of rice - is $ 25 ) , which i would expect at a upscale indian restaurant but this place does n't have an upscale feel . 998 | chicken tikka masala 999 | Negative 1000 | i have it a 4 instead of 5 because of the price ( just chicken tikka masala - no bread of rice - is $ 25 ) , which i would expect at a upscale indian restaurant but this place does n't have an upscale $T$ . 1001 | feel 1002 | Negative 1003 | also , $T$ try to push more food on you , like suggest things as if they are complimentary when they actually cost $ . 1004 | waiters 1005 | Negative 1006 | but if you 're prepared to spend some $ and remember to ask if something they offer is complimentary , then this is the place to go for $T$ 1007 | indian food 1008 | Positive 1009 | but if you 're prepared to spend some $ and remember to ask if something they offer is complimentary , then this is the $T$ to go for indian food 1010 | place 1011 | Negative 1012 | $T$ , the tagline says it all .. " indian spice rave " 1013 | bukhara grill 1014 | Positive 1015 | the $T$ is expensive but is deff worth it . 1016 | lunch buffet 1017 | Negative 1018 | we have gone for dinner only a few times but the same great quality and $T$ is given . 1019 | service 1020 | Positive 1021 | we have gone for $T$ only a few times but the same great quality and service is given . 1022 | dinner 1023 | Positive 1024 | $T$ is on my top 5 indian places in nyc 1025 | bukhara 1026 | Positive 1027 | i have never been so disgusted by both $T$ an service . 1028 | food 1029 | Negative 1030 | i have never been so disgusted by both food an $T$ . 1031 | service 1032 | Negative 1033 | however , once i received my predictably mediocre order of what dokebi thinks passes as korean fair , ( sometimes you have to settle when it 's your only option ) , i got through about half my $T$ before i found a piece of random lettuce accompanied by a far more disgusting , slimy , clearly bad piece of fish skin . 1034 | kimchee 1035 | Negative 1036 | however , once i received my predictably mediocre order of what dokebi thinks passes as $T$ , ( sometimes you have to settle when it 's your only option ) , i got through about half my kimchee before i found a piece of random lettuce accompanied by a far more disgusting , slimy , clearly bad piece of fish skin . 1037 | korean fair 1038 | Negative 1039 | my main concern was the sanity of the $T$ that was being sent out to myself and others , but i would be lying is i said that as someone who has worked in restaurants since the age of fifteen i was expecting at least a minimal effort on the part of the restaurant to amend the situation . 1040 | food 1041 | Negative 1042 | my girlfriend , being slightly more aggressive , and having been equally disgusted causing her to throw out the remainder of her barely eaten $T$ , called back only to be informed that i was probably wrong and that it was most likely an oyster , and that we were also blacklisted from their restaurant . 1043 | meal 1044 | Negative 1045 | it was n't as if this $T$ had any major bragging points before hand , but now it 's simply repulsive . 1046 | restaurant 1047 | Negative 1048 | gorgeous $T$ ideal for a romantic dinner 1049 | place 1050 | Positive 1051 | i book a gorgeous white organza tent which included a $T$ which we enjoyed a lot . 1052 | four course prix fix menu 1053 | Positive 1054 | i book a gorgeous $T$ which included a four course prix fix menu which we enjoyed a lot . 1055 | white organza tent 1056 | Positive 1057 | the $T$ was spectacular as the waiter knew everything about the menu and his recommendations were amazing ! 1058 | service 1059 | Positive 1060 | the service was spectacular as the $T$ knew everything about the menu and his recommendations were amazing ! 1061 | waiter 1062 | Positive 1063 | i completely recommend $T$ for any special occasion and to really impress your date . 1064 | casa la femme 1065 | Positive 1066 | the $T$ was average , but the stone bowl was n't even close to sizzling . 1067 | bibimbap 1068 | Neutral 1069 | the bibimbap was average , but the $T$ was n't even close to sizzling . 1070 | stone bowl 1071 | Negative 1072 | too bad i had paid an extra $ 2 for the $T$ . 1073 | stone bowl 1074 | Negative 1075 | the $T$ was horrible . 1076 | nakgi - bokum 1077 | Negative 1078 | easily the worst $T$ i 've ever tasted . 1079 | stir - fried squid 1080 | Negative 1081 | the $T$ tasted more like chinese fast food than decent korean . 1082 | sauce 1083 | Negative 1084 | the $T$ were passable , and i did get a refill upon request . 1085 | side dishes 1086 | Neutral 1087 | the real problem i had with this place was the complete lack of $T$ . 1088 | service 1089 | Negative 1090 | my wife had barely touched that mess of a $T$ . 1091 | dish 1092 | Negative 1093 | the wife had the $T$ which was amazing . 1094 | risotto 1095 | Positive 1096 | the $T$ and the mashed yukon potatoes were also extremely tasty . 1097 | farro salad 1098 | Positive 1099 | the farro salad and the $T$ were also extremely tasty . 1100 | mashed yukon potatoes 1101 | Positive 1102 | i love margherita pizza – i looove $T$ 1103 | east village pizza 1104 | Positive 1105 | i love $T$ – i looove east village pizza 1106 | margherita pizza 1107 | Positive 1108 | love this $T$ , every time we are in the city this is one of the places we always go . 1109 | place 1110 | Positive 1111 | a quintessential $T$ . 1112 | slice of nyc pizza 1113 | Neutral 1114 | the $T$ has a great bite and a good chew , the sauce is light with a nice acidity to it , the salt from the cheese is great , really heightens the flavor of all the other components . 1115 | crust 1116 | Positive 1117 | the crust has a great bite and a good chew , the $T$ is light with a nice acidity to it , the salt from the cheese is great , really heightens the flavor of all the other components . 1118 | sauce 1119 | Positive 1120 | the crust has a great bite and a good chew , the sauce is light with a nice acidity to it , the salt from the $T$ is great , really heightens the flavor of all the other components . 1121 | cheese 1122 | Positive 1123 | personally i like the $T$ better , but they are all good . 1124 | margherita pizza 1125 | Positive 1126 | possibly the most romantic $T$ in the city 1127 | restaurant 1128 | Positive 1129 | this is undoubtedly my favorite $T$ ( that do n’t serve sushi ) , and in my opinion , one of the most romantic restaurants in the city ! 1130 | modern japanese brasserie 1131 | Positive 1132 | not only is it an adventure getting to this somewhat hidden $T$ , once you enter the unmarked wooden doors , the zen and intimate décor will make you feel like you ’re no longer in the city . 1133 | spot 1134 | Neutral 1135 | not only is it an adventure getting to this somewhat hidden spot , once you enter the $T$ , the zen and intimate décor will make you feel like you ’re no longer in the city . 1136 | unmarked wooden doors 1137 | Positive 1138 | not only is it an adventure getting to this somewhat hidden spot , once you enter the unmarked wooden doors , the zen and intimate $T$ will make you feel like you ’re no longer in the city . 1139 | décor 1140 | Positive 1141 | if you ’re planning to come here , make sure that your date is someone whom you really like since you ’ll be ushered to $T$ where there will be no people or food watching ( choose the ones on the ground level that have glass ceilings so you may see the stars in the sky ! ) . 1142 | private booths 1143 | Positive 1144 | if you ’re planning to come here , make sure that your date is someone whom you really like since you ’ll be ushered to private booths where there will be no people or food watching ( choose the ones on the ground level that have $T$ so you may see the stars in the sky ! ) . 1145 | glass ceilings 1146 | Positive 1147 | it ’s just you and your date and an occasional cute ‘ excuse me’ before the $T$ opens the little curtain to your booth ! 1148 | waiter 1149 | Positive 1150 | my party had the $T$ , which was such a wonderful deal since it also came with a flight of sake ! 1151 | bbe $ 29 fixe prix menu 1152 | Positive 1153 | we started off with a delightful $T$ . 1154 | sashimi amuse bouche 1155 | Positive 1156 | i picked the $T$ as my entree , which i absolutely devoured while someone commented that the grilled salmon dish was better . 1157 | grilled black cod 1158 | Positive 1159 | i picked the grilled black cod as my entree , which i absolutely devoured while someone commented that the $T$ was better . 1160 | grilled salmon dish 1161 | Positive 1162 | the $T$ were served with miso soup and rice . 1163 | entrees 1164 | Neutral 1165 | the $T$ complimented the courses very well and is successfully easing me into the sake world . 1166 | sake ’s 1167 | Positive 1168 | for desserts , we tried the $T$ ( interesting but not extraordinary ) and matcha ( powdered green tea ) and blueberry cheesecake , which was phenomenal . 1169 | frozen black sesame mousse 1170 | Neutral 1171 | for desserts , we tried the frozen black sesame mousse ( interesting but not extraordinary ) and $T$ , which was phenomenal . 1172 | matcha ( powdered green tea ) and blueberry cheesecake 1173 | Positive 1174 | maybe it was the great company ( i had friends visiting from philly – yes , it was not a date this time ) or the super reasonable price point , but i just ca n’t say enough good things about this $T$ . 1175 | brasserie 1176 | Positive 1177 | i do n’t usually visit the same establishment more than once , what more twice , but i ’ll come to $T$ anytime for a quiet , unhurried and memorable dinner . 1178 | zenkichi 1179 | Positive 1180 | the $T$ leaves much to be desired , from feeling like you are rushed the place your order , to being ignored the rest of the night . 1181 | service 1182 | Negative 1183 | they are extremely rude , not even apologizing for the horrible $T$ we got and handing us a bill well over $ 500 for some drinks adn their pita bread ! 1184 | service 1185 | Negative 1186 | they are extremely rude , not even apologizing for the horrible service we got and handing us a bill well over $ 500 for some $T$ adn their pita bread ! 1187 | drinks 1188 | Negative 1189 | they are extremely rude , not even apologizing for the horrible service we got and handing us a bill well over $ 500 for some drinks adn their $T$ ! 1190 | pita bread 1191 | Negative 1192 | great $T$ 1193 | shabu shabu 1194 | Positive 1195 | i tried a couple other $T$ but was n't too impressed . 1196 | dishes 1197 | Neutral 1198 | but for the $T$ , you wo n't find much better in ny . 1199 | shabu shabu 1200 | Positive 1201 | the $T$ is fresh , the sauces are great , you get kimchi and a salad free with your meal and service is good too . 1202 | meat 1203 | Positive 1204 | the meat is fresh , the $T$ are great , you get kimchi and a salad free with your meal and service is good too . 1205 | sauces 1206 | Positive 1207 | the meat is fresh , the sauces are great , you get kimchi and a salad free with your meal and $T$ is good too . 1208 | service 1209 | Positive 1210 | the meat is fresh , the sauces are great , you get kimchi and a salad free with your $T$ and service is good too . 1211 | meal 1212 | Positive 1213 | the meat is fresh , the sauces are great , you get $T$ and a salad free with your meal and service is good too . 1214 | kimchi 1215 | Positive 1216 | the meat is fresh , the sauces are great , you get kimchi and a $T$ free with your meal and service is good too . 1217 | salad 1218 | Positive 1219 | dokebi gives williamsburg the right one - two punch of classic $T$ and fusion twists like pork belly tacos . 1220 | korean food 1221 | Positive 1222 | dokebi gives williamsburg the right one - two punch of classic korean food and $T$ like pork belly tacos . 1223 | fusion twists 1224 | Positive 1225 | dokebi gives williamsburg the right one - two punch of classic korean food and fusion twists like $T$ . 1226 | pork belly tacos 1227 | Positive 1228 | the $T$ are good , yes , but the reason to get over here is the fantastic pork croquette sandwich , perfect on its supermarket squishy bun . 1229 | hot dogs 1230 | Positive 1231 | the hot dogs are good , yes , but the reason to get over here is the fantastic $T$ , perfect on its supermarket squishy bun . 1232 | pork croquette sandwich 1233 | Positive 1234 | the hot dogs are good , yes , but the reason to get over here is the fantastic pork croquette sandwich , perfect on its supermarket squishy $T$ . 1235 | bun 1236 | Positive 1237 | restaurant with a $T$ 1238 | view 1239 | Neutral 1240 | the $T$ tasted very good . 1241 | food 1242 | Positive 1243 | the $T$ was very good . 1244 | family seafood entree 1245 | Positive 1246 | the $T$ was also very good . 1247 | main entree 1248 | Positive 1249 | price is high but the $T$ is good , so i would come back again . 1250 | food 1251 | Positive 1252 | this $T$ does n't make any sense 1253 | place 1254 | Negative 1255 | this place has totally weird $T$ , stairs going up with mirrored walls - i am surprised how no one yet broke their head or fall off the stairs - mirrored walls make you dizzy and delusional ... 1256 | decor 1257 | Negative 1258 | this place has totally weird decor , stairs going up with $T$ - i am surprised how no one yet broke their head or fall off the stairs - mirrored walls make you dizzy and delusional ... 1259 | mirrored walls 1260 | Negative 1261 | this $T$ is not inviting and the food is totally weird . 1262 | place 1263 | Negative 1264 | this place is not inviting and the $T$ is totally weird . 1265 | food 1266 | Negative 1267 | the concept of $T$ is newly created and clearly does n't work . 1268 | japanese tapas 1269 | Negative 1270 | the $T$ they serve is not comforting , not appetizing and uncooked . 1271 | food 1272 | Negative 1273 | good $T$ 1274 | food 1275 | Positive 1276 | the $T$ was great and tasty , but the sitting space was too small , i do n't like being cramp in a corner . 1277 | food 1278 | Positive 1279 | the food was great and tasty , but the $T$ was too small , i do n't like being cramp in a corner . 1280 | sitting space 1281 | Negative 1282 | over all it was a very nice romantic $T$ . 1283 | place 1284 | Positive 1285 | a coworker and i tried $T$ after work a few fridays and loved it . 1286 | pacifico 1287 | Positive 1288 | the $T$ was great . 1289 | atmosphere 1290 | Positive 1291 | the $T$ we ordered was excellent , although i would n't say the margaritas were anything to write home about . 1292 | food 1293 | Positive 1294 | the food we ordered was excellent , although i would n't say the $T$ were anything to write home about . 1295 | margaritas 1296 | Neutral 1297 | our $T$ was n't mean , but not especially warm or attentive either . 1298 | waitress 1299 | Neutral 1300 | i must say i am surprised by the bad reviews of the $T$ earlier in the year , though . 1301 | restaurant 1302 | Positive 1303 | regardless , we 'll be back and ca n't wait to visit in the summer to take advantage of the $T$ . 1304 | patio 1305 | Positive 1306 | the $T$ at flatbush farm appear to have perfected that ghastly technique of making you feel guilty and ashamed for deigning to attract their attention . 1307 | servers 1308 | Negative 1309 | a different $T$ enhanced the fun , dumping our entrees in front of us halfway through our appetizer ( which was delicious ) . 1310 | server 1311 | Negative 1312 | a different server enhanced the fun , dumping our entrees in front of us halfway through our $T$ ( which was delicious ) . 1313 | appetizer 1314 | Positive 1315 | overall the $T$ quality was pretty good , though i hear the salmon is much better when it has n't sat cooling in front of the guest . 1316 | food 1317 | Positive 1318 | the place has a nice $T$ , some attractive furnishings and , from what i could tell , a reasonable wine list ( i was given the food menu when i asked for the carte des vins ) 1319 | fit - out 1320 | Positive 1321 | the place has a nice fit - out , some attractive $T$ and , from what i could tell , a reasonable wine list ( i was given the food menu when i asked for the carte des vins ) 1322 | furnishings 1323 | Positive 1324 | the place has a nice fit - out , some attractive furnishings and , from what i could tell , a reasonable $T$ ( i was given the food menu when i asked for the carte des vins ) 1325 | wine list 1326 | Positive 1327 | how is this $T$ still open ? 1328 | palce 1329 | Negative 1330 | everything was going good until we got our $T$ . 1331 | meals 1332 | Negative 1333 | i took one look at the $T$ and i was appalled . 1334 | chicken 1335 | Negative 1336 | it was served with skin , over a bed of extremely undercooked $T$ and mashed potatoes . 1337 | spinach 1338 | Negative 1339 | i took one bite from the $ 24 $T$ , and i have never , in the 17 years i have been going to restaurants tasted salmon as fishy , as dry , and as bland as the one in flatbush farms . 1340 | salmon 1341 | Negative 1342 | at this point , the $T$ comes over and asks us if everything was okay , i was literally so shocked that i was speechless and did n't say anything , and guess what , the waitress walked away . 1343 | waitress 1344 | Negative 1345 | so , i switch with my boyfriend again to see if maybe i could stomach the meat and $T$ again , but the spinach was so undercooked that i just could not bite through it . 1346 | spinach 1347 | Negative 1348 | this is where it really really gets bad : the $T$ said , there is absolutely nothing we can do , it 's a matter of taste that she did n't like it , and i can not comp it . 1349 | manager 1350 | Negative 1351 | the $T$ came to the table and said we can do what we want , so we paid for what we did enjoy , the drinks and appetizers , and walked out . 1352 | manager 1353 | Negative 1354 | the manager came to the table and said we can do what we want , so we paid for what we did enjoy , the $T$ and appetizers , and walked out . 1355 | drinks 1356 | Positive 1357 | the manager came to the table and said we can do what we want , so we paid for what we did enjoy , the drinks and $T$ , and walked out . 1358 | appetizers 1359 | Positive 1360 | this $T$ should be fired . 1361 | staff 1362 | Negative 1363 | cirspy crust $T$ 1364 | margherita pizza 1365 | Positive 1366 | it was really good $T$ . 1367 | pizza 1368 | Positive 1369 | the $T$ was imazingly cooked well and pizza was fully loaded : ) : ) : ) 1370 | crust 1371 | Positive 1372 | the crust was imazingly cooked well and $T$ was fully loaded : ) : ) : ) 1373 | pizza 1374 | Positive 1375 | single worst $T$ in manhattan 1376 | restaurant 1377 | Negative 1378 | i 'll being with a couple of positives : cool $T$ , good pita and hummus , and grilled octopus that was actually pretty tasty . 1379 | decor 1380 | Positive 1381 | i 'll being with a couple of positives : cool decor , good $T$ and hummus , and grilled octopus that was actually pretty tasty . 1382 | pita 1383 | Positive 1384 | i 'll being with a couple of positives : cool decor , good pita and $T$ , and grilled octopus that was actually pretty tasty . 1385 | hummus 1386 | Positive 1387 | i 'll being with a couple of positives : cool decor , good pita and hummus , and $T$ that was actually pretty tasty . 1388 | grilled octopus 1389 | Positive 1390 | if i could give 0 stars i would do so for this $T$ . 1391 | place 1392 | Negative 1393 | this $T$ ... god where do i begin . 1394 | place 1395 | Negative 1396 | it is quite a spectacular $T$ i 'll give them that . 1397 | scene 1398 | Positive 1399 | the $T$ however seems to be the distraction so you wo n't notice that you just payed 300 bucks for some cold eggplant that took 2 frickin hours to come ! ! ! ! 1400 | decor 1401 | Neutral 1402 | the decor however seems to be the distraction so you wo n't notice that you just payed 300 bucks for some cold $T$ that took 2 frickin hours to come ! ! ! ! 1403 | eggplant 1404 | Negative 1405 | how this $T$ survives the competitive west village market in this economy , or any other for that matter , is beyond me . 1406 | place 1407 | Negative 1408 | great $T$ ! 1409 | hot dogs 1410 | Positive 1411 | though it 's been crowded most times i 've gone here , bark always delivers on their $T$ . 1412 | food 1413 | Positive 1414 | though it 's been crowded most times i 've gone here , $T$ always delivers on their food . 1415 | bark 1416 | Neutral 1417 | the $T$ are top notch , and they 're slamwich is amazing ! 1418 | hot dogs 1419 | Positive 1420 | the hot dogs are top notch , and they 're $T$ is amazing ! 1421 | slamwich 1422 | Positive 1423 | going to $T$ is always worth the train ride , and will make your tongue and belly very happy ! 1424 | bark 1425 | Positive 1426 | only complaint is the pricing -- i believe it would be more reasonable to pay a dollar less on each item listed on the $T$ . 1427 | menu 1428 | Negative 1429 | but nonetheless -- great $T$ , great food . 1430 | spot 1431 | Positive 1432 | but nonetheless -- great spot , great $T$ . 1433 | food 1434 | Positive 1435 | fabulous $T$ - if the front of house staff do n't put you off – 1436 | food 1437 | Positive 1438 | fabulous food - if the $T$ do n't put you off – 1439 | front of house staff 1440 | Negative 1441 | each time we 've been , the front of house staff ( not the $T$ - they 're fantastic - but the people who greet and seat you ) has been so hideous to us that were it not for the exceptional fish dishes i would never return . 1442 | waiters 1443 | Positive 1444 | each time we 've been , the $T$ ( not the waiters - they 're fantastic - but the people who greet and seat you ) has been so hideous to us that were it not for the exceptional fish dishes i would never return . 1445 | front of house staff 1446 | Negative 1447 | each time we 've been , the front of house staff ( not the waiters - they 're fantastic - but the people who greet and seat you ) has been so hideous to us that were it not for the exceptional $T$ i would never return . 1448 | fish dishes 1449 | Positive 1450 | as $T$ does n't take reservations you almost always have to wait by the bar - and be abused by the front of house staff until you are seated , which can be over an hour later ! 1451 | bfc 1452 | Negative 1453 | as bfc does n't take reservations you almost always have to wait by the bar - and be abused by the $T$ until you are seated , which can be over an hour later ! 1454 | front of house staff 1455 | Negative 1456 | the frizzy retro $T$ ( with winged/ dame edna glasses ) will yell at you if you try to order a drink . 1457 | girl 1458 | Negative 1459 | i 'd be horrified if my $T$ were turning away customers so early and so rudely ! 1460 | staff 1461 | Negative 1462 | there 's another $T$ who i ca n't describe , she is about 5'6 " with brown hair , who eavesdrops on your conversation and chimes in - except she only hears the last part of what you said , so her uninvited opinions are often out of context and nothing to do with what you 're * really * talking about . 1463 | girl 1464 | Negative 1465 | considering you will spend at least $ 60 a head , i expect better $T$ . 1466 | service 1467 | Negative 1468 | $T$ -"eat and get out " 1469 | maitre - d 1470 | Negative 1471 | the $T$ and service were fine , however the maitre - d was incredibly unwelcoming and arrogant . 1472 | food 1473 | Positive 1474 | the food and $T$ were fine , however the maitre - d was incredibly unwelcoming and arrogant . 1475 | service 1476 | Positive 1477 | the food and service were fine , however the $T$ was incredibly unwelcoming and arrogant . 1478 | maitre - d 1479 | Negative 1480 | while finishing our meals which included a high - end $T$ , our son 's fiance joined us for a glass of wine and dessert . 1481 | bottle of wine 1482 | Positive 1483 | this guy refused to seat her and she left , followed shortly by the four of us , but not before i told him that in my 40 years of world travel , including paris , that i had never seen such a display of bad behavior by a $T$ in a restaurant . 1484 | frontman 1485 | Negative 1486 | a word to the wise : you ca n't dine here and disturb the $T$ 's sense of " table turnover " , as whacked as it is , or else . 1487 | maitre - d 1488 | Negative 1489 | best $T$ in a long time ! 1490 | meal 1491 | Positive 1492 | $T$ and calamari were superb saturday evening . 1493 | mussles 1494 | Positive 1495 | mussles and $T$ were superb saturday evening . 1496 | calamari 1497 | Positive 1498 | i had the $T$ which was perfect . 1499 | lamb special 1500 | Positive 1501 | my father had the $T$ which was very good , and my mother had the swordfish . 1502 | flank steak 1503 | Positive 1504 | $T$ is a great experience . 1505 | the four seasons restaurant 1506 | Positive 1507 | the $T$ is great and the environment is even better . 1508 | food 1509 | Positive 1510 | the food is great and the $T$ is even better . 1511 | environment 1512 | Positive 1513 | taking $T$ to the next level 1514 | hot dogs 1515 | Positive 1516 | at first glance this place seems a bit pricey for a hot dog joint , but at $T$ you do n't just get your average hot dog . 1517 | bark 1518 | Negative 1519 | at first glance this place seems a bit pricey for a $T$ joint , but at bark you do n't just get your average hot dog. 1520 | hot dog 1521 | Positive 1522 | here the $T$ is elevated to the level of a real entree with numerous variations available . 1523 | hot dog 1524 | Positive 1525 | great $T$ 1526 | atmosphere 1527 | Positive 1528 | i highly recommend the $T$ , everything else was ok . 1529 | fish tacos 1530 | Positive 1531 | cool $T$ , the fire place in the back really ads to it but needs a bit more heat throughout on a cold night . 1532 | atmosphere 1533 | Positive 1534 | cool atmosphere , the $T$ in the back really ads to it but needs a bit more heat throughout on a cold night . 1535 | fire place 1536 | Positive 1537 | poor $T$ and management 1538 | service 1539 | Negative 1540 | poor service and $T$ 1541 | management 1542 | Negative 1543 | do n’t go to this $T$ ! 1544 | place 1545 | Negative 1546 | had an awful experience at $T$ on a saturday dinner . 1547 | casa la femme 1548 | Negative 1549 | the $T$ was rude and handled the situation extremely poorly . 1550 | manager 1551 | Negative 1552 | ca n’t believe how an expensive nyc $T$ can be so disrespectful to its clients . 1553 | restaurant 1554 | Negative 1555 | the $T$ is very good , but not outstanding . 1556 | food 1557 | Neutral 1558 | there is no way it justifies the accolades it receives , the attitude of the $T$ or the wait for a table . 1559 | staff 1560 | Negative 1561 | there is no way it justifies the accolades it receives , the attitude of the staff or the $T$ for a table . 1562 | wait 1563 | Negative 1564 | mistakes happen , but they are usually accompanied by an apology , perhaps even a glass of wine ... but not the grunt that we received from the al di la $T$ . 1565 | staff 1566 | Negative 1567 | the $T$ was stale , the salad was overpriced and empty . 1568 | bread 1569 | Negative 1570 | the bread was stale , the $T$ was overpriced and empty . 1571 | salad 1572 | Negative 1573 | the $T$ was well cooked , did n't have enough sauce though or flavor . 1574 | pasta 1575 | Positive 1576 | the $T$ was rude and i got a distinct feeling that they did not want to serve us . 1577 | hostess 1578 | Negative 1579 | the only thing that my friend left out is that when we sat down at the bar the $T$ disappeared . 1580 | bartender 1581 | Negative 1582 | i asked for a menu and the same $T$ looked at my like i was insane . 1583 | waitress 1584 | Negative 1585 | i was shocked that my friends wanted to stay after the $T$ said , " can i help you " and " how many are in your party . " 1586 | waitress 1587 | Negative 1588 | shame on this place for the horrible rude $T$ and non - existent customer service . 1589 | staff 1590 | Negative 1591 | shame on this place for the horrible rude staff and non - existent $T$ . 1592 | customer service 1593 | Negative 1594 | bad $T$ 1595 | staff 1596 | Negative 1597 | i generally like this $T$ . 1598 | place 1599 | Positive 1600 | the $T$ is good . 1601 | food 1602 | Positive 1603 | the design of the $T$ is good . 1604 | space 1605 | Positive 1606 | but the $T$ is horrid ! 1607 | service 1608 | Negative 1609 | i was there for brunch recently , and we were tag teamed by a $T$ and a waiter . 1610 | waitress 1611 | Negative 1612 | i was there for brunch recently , and we were tag teamed by a waitress and a $T$ . 1613 | waiter 1614 | Negative 1615 | the $T$ delivered our food while holding what appeared to be a plastic bag of garbage in one hand . 1616 | waiter 1617 | Negative 1618 | the $T$ came to check in on us every few minutes , and began to clear the plates while half of us were still eating ( a big pet peeve of mine that happens almost everywhere , so i try to ignore it ) . 1619 | waitress 1620 | Negative 1621 | -------------------------------------------------------------------------------- /datasets/apc_datasets/SemEval/restaurant15/restaurant_test.raw.inference: -------------------------------------------------------------------------------- 1 | love [ASP]al di la[ASP] !sent! Positive 2 | i recommend this [ASP]place[ASP] to everyone . !sent! Positive 3 | great [ASP]food[ASP] . !sent! Positive 4 | the [ASP]pastas[ASP] are incredible , the risottos ( particularly the sepia ) are fantastic and the braised rabbit is amazing . !sent! Positive 5 | the pastas are incredible , the [ASP]risottos[ASP] ( particularly the sepia ) are fantastic and the braised rabbit is amazing . !sent! Positive 6 | the pastas are incredible , the risottos ( particularly the [ASP]sepia[ASP] ) are fantastic and the braised rabbit is amazing . !sent! Positive 7 | the pastas are incredible , the risottos ( particularly the sepia ) are fantastic and the [ASP]braised rabbit[ASP] is amazing . !sent! Positive 8 | the [ASP]food[ASP] here was mediocre at best . !sent! Negative 9 | it was totally overpriced- [ASP]fish and chips[ASP] was about $ 15 .... !sent! Negative 10 | tasty [ASP]dog[ASP] ! !sent! Positive 11 | an awesome organic [ASP]dog[ASP] , and a conscious eco friendly establishment . !sent! Positive 12 | an awesome organic dog , and a conscious eco friendly [ASP]establishment[ASP] . !sent! Positive 13 | the [ASP]cypriot restaurant[ASP] has a lot going for it . !sent! Positive 14 | but the best [ASP]pork souvlaki[ASP] i ever had is the main thing . !sent! Positive 15 | super yummy [ASP]pizza[ASP] ! !sent! Positive 16 | i was visiting new york city with a friend and we discovered this really warm and inviting [ASP]restaurant[ASP] . !sent! Positive 17 | i looove their [ASP]eggplant pizza[ASP] , as well as their pastas ! !sent! Positive 18 | i looove their eggplant pizza , as well as their [ASP]pastas[ASP] ! !sent! Positive 19 | we had [ASP]half / half pizza[ASP] , mine was eggplant and my friend had the buffalo and it was sooo huge for a small size pizza ! !sent! Positive 20 | excellent [ASP]food[ASP] , although the interior could use some help . !sent! Positive 21 | excellent food , although the [ASP]interior[ASP] could use some help . !sent! Negative 22 | the [ASP]space[ASP] kind of feels like an alice in wonderland setting , without it trying to be that . !sent! Negative 23 | i paid just about $ 60 for a good [ASP]meal[ASP] , though :) !sent! Positive 24 | great [ASP]sake[ASP] ! !sent! Positive 25 | reliable , fresh [ASP]sushi[ASP] !sent! Positive 26 | the [ASP]sashimi[ASP] is always fresh and the rolls are innovative and delicious . !sent! Positive 27 | the sashimi is always fresh and the [ASP]rolls[ASP] are innovative and delicious . !sent! Positive 28 | have never had a problem with [ASP]service[ASP] save a missing rice once . !sent! Positive 29 | [ASP]delivery[ASP] can be spot on or lacking depending on the weather and the day of the week . !sent! Negative 30 | [ASP]delivery guy[ASP] sometimes get upset if you do n't tip more than 10 % . !sent! Negative 31 | best . [ASP]sushi[ASP] . ever . !sent! Positive 32 | this place has ruined me for neighborhood [ASP]sushi[ASP] . !sent! Positive 33 | excellent [ASP]sashimi[ASP] , and the millennium roll is beyond delicious . !sent! Positive 34 | excellent sashimi , and the [ASP]millennium roll[ASP] is beyond delicious . !sent! Positive 35 | the [ASP]place[ASP] is a bit hidden away , but once you get there , it 's all worth it . !sent! Neutral 36 | not only is the [ASP]food[ASP] !sent! Positive 37 | the [ASP]waiter[ASP] was attentive , the food was delicious and the views of the city were great . !sent! Positive 38 | the waiter was attentive , the [ASP]food[ASP] was delicious and the views of the city were great . !sent! Positive 39 | the waiter was attentive , the food was delicious and the [ASP]views of the city[ASP] were great . !sent! Positive 40 | great [ASP]place[ASP] to relax and enjoy your dinner !sent! Positive 41 | there is something about their [ASP]atmosphere[ASP] that makes me come back nearly every week . !sent! Positive 42 | [ASP]place[ASP] is open till late , no dress code . !sent! Positive 43 | good [ASP]food[ASP] : my favorite is the sea$t$ spaghetti . !sent! Positive 44 | good food : my favorite is the [ASP]seafood spaghetti[ASP] . !sent! Positive 45 | excellent [ASP]food[ASP] for great prices !sent! Positive 46 | the [ASP]wait staff[ASP] is very courteous and accomodating . !sent! Positive 47 | the [ASP]space[ASP] is limited so be prepared to wait up to 45 minutes - 1 hour , but be richly rewarded when you savor the delicious indo - chinese food . !sent! Neutral 48 | the space is limited so be prepared to wait up to 45 minutes - 1 hour , but be richly rewarded when you savor the delicious [ASP]indo - chinese food[ASP] . !sent! Positive 49 | my favorite [ASP]place[ASP] lol !sent! Positive 50 | i love their [ASP]chicken pasta[ASP] ca nt remember the name but is sooo good !sent! Positive 51 | i m not necessarily fanatical about this [ASP]place[ASP] , but it was a fun time for low pirces . !sent! Positive 52 | [ASP]lobster[ASP] was good , nothing spectacular . !sent! Neutral 53 | its just a fun place to go , not a five star [ASP]restaraunt[ASP] . !sent! Neutral 54 | i think the [ASP]pizza[ASP] is so overrated and was under cooked . !sent! Negative 55 | had no flavor and the [ASP]staff[ASP] is rude and not attentive . !sent! Negative 56 | i love this [ASP]place[ASP] !sent! Positive 57 | the [ASP]service[ASP] was quick and friendly . !sent! Positive 58 | i thought the [ASP]restaurant[ASP] was nice and clean . !sent! Positive 59 | i ordered the [ASP]vitello alla marsala[ASP] and i was pretty impressed . !sent! Positive 60 | the [ASP]veal[ASP] and the mushrooms were cooked perfectly . !sent! Positive 61 | the veal and the [ASP]mushrooms[ASP] were cooked perfectly . !sent! Positive 62 | the [ASP]potato balls[ASP] were not dry at all ... in fact it was buttery . !sent! Positive 63 | worst [ASP]place[ASP] on smith street in brooklyn !sent! Negative 64 | very immature [ASP]bartender[ASP] , did nt know how to make specific drinks , service was so slowwwww , the food was not fresh or warm , waitresses were busy flirting with men at the bar and were nt very attentive to all the customers . !sent! Negative 65 | very immature bartender , did nt know how to make specific drinks , [ASP]service[ASP] was so slowwwww , the food was not fresh or warm , waitresses were busy flirting with men at the bar and were nt very attentive to all the customers . !sent! Negative 66 | very immature bartender , did nt know how to make specific drinks , service was so slowwwww , the [ASP]food[ASP] was not fresh or warm , waitresses were busy flirting with men at the bar and were nt very attentive to all the customers . !sent! Negative 67 | very immature bartender , did nt know how to make specific drinks , service was so slowwwww , the food was not fresh or warm , [ASP]waitresses[ASP] were busy flirting with men at the bar and were nt very attentive to all the customers . !sent! Negative 68 | i would never recommend this [ASP]place[ASP] to anybody even for a casual dinner . !sent! Negative 69 | the [ASP]food[ASP] is always fresh ... !sent! Positive 70 | overpriced [ASP]japanese food[ASP] with mediocre service !sent! Negative 71 | overpriced japanese food with mediocre [ASP]service[ASP] !sent! Neutral 72 | [ASP]chicken teriyaki[ASP] had tomato or pimentos on top ? ? !sent! Negative 73 | [ASP]food[ASP] was luke warm . !sent! Negative 74 | the [ASP]waitress[ASP] was not attentive at all . !sent! Negative 75 | i was looking for banana tempura for [ASP]dessert[ASP] and they do nt have . !sent! Negative 76 | not because you are " [ASP]the four seasons[ASP] " ... – you are allowed to charge an arm and a leg for a romatic dinner . !sent! Negative 77 | the [ASP]food[ASP] was excellent as well as service , however , i left the four seasons very dissappointed . !sent! Positive 78 | the food was excellent as well as [ASP]service[ASP] , however , i left the four seasons very dissappointed . !sent! Positive 79 | the food was excellent as well as service , however , i left [ASP]the four seasons[ASP] very dissappointed . !sent! Negative 80 | i do not think [ASP]dinner[ASP] in manhattan should cost $ 400.00 where i am not swept off my feet . !sent! Negative 81 | [ASP]red dragon roll[ASP] - my favorite thing to eat , of any food group - hands down !sent! Positive 82 | just go to [ASP]yamato[ASP] and order the red dragon roll . !sent! Positive 83 | just go to yamato and order the [ASP]red dragon roll[ASP] . !sent! Positive 84 | the [ASP]seafood dynamite[ASP] is also otherworldly . !sent! Positive 85 | favorite [ASP]sushi[ASP] in nyc !sent! Positive 86 | an unpretentious [ASP]spot[ASP] in park slope , the sushi is consistently good , the service is pleasant , effective and unassuming . !sent! Positive 87 | an unpretentious spot in park slope , the [ASP]sushi[ASP] is consistently good , the service is pleasant , effective and unassuming . !sent! Positive 88 | an unpretentious spot in park slope , the sushi is consistently good , the [ASP]service[ASP] is pleasant , effective and unassuming . !sent! Positive 89 | in the summer months , the [ASP]back garden area[ASP] is really nice . !sent! Positive 90 | the [ASP]rolls[ASP] are creative and i have yet to find another sushi place that serves up more inventive yet delicious japanese food . !sent! Positive 91 | the rolls are creative and i have yet to find another sushi place that serves up more inventive yet delicious [ASP]japanese food[ASP] . !sent! Positive 92 | the [ASP]dancing , white river and millenium rolls[ASP] are musts . !sent! Positive 93 | i can eat here every day of the week really lol love this [ASP]place[ASP] ... ) !sent! Positive 94 | gross [ASP]food[ASP] – wow- !sent! Negative 95 | i ca n't remember the last time i had such gross [ASP]food[ASP] in new york . !sent! Negative 96 | my [ASP]quesadilla[ASP] tasted like it had been made by a three - year old with no sense of proportion or flavor . !sent! Negative 97 | and $ 11 for a plate of bland [ASP]guacamole[ASP] ? !sent! Negative 98 | do n't get me started on the [ASP]margaritas[ASP] , either . !sent! Negative 99 | oh , and i never write reviews -- i just was so moved by how bad this [ASP]place[ASP] was , i felt it was my duty to spread the word . !sent! Negative 100 | great [ASP]indian food[ASP] ! !sent! Positive 101 | the [ASP]food[ASP] was good , the place was clean and affordable . !sent! Positive 102 | the food was good , the [ASP]place[ASP] was clean and affordable . !sent! Positive 103 | i noticed alot of indian people eatting there which is a great sign for an [ASP]indian place[ASP] ! !sent! Positive 104 | this is one of my favorite spot , very relaxing the [ASP]food[ASP] is great all the times , celebrated my engagement and my wedding here , it was very well organized . !sent! Positive 105 | the [ASP]staff[ASP] is very good . !sent! Positive 106 | love their [ASP]drink menu[ASP] . !sent! Positive 107 | i highly recommend this beautiful [ASP]place[ASP] . !sent! Positive 108 | we were offered water for the table but were not told the [ASP]voss bottles of water[ASP] were $ 8 a piece . !sent! Negative 109 | [ASP]food[ASP] was ok . !sent! Neutral 110 | nice [ASP]view of river and nyc[ASP] . !sent! Positive 111 | great [ASP]survice[ASP] !sent! Positive 112 | a beautifully designed dreamy [ASP]egyptian restaurant[ASP] that gets sceney at night . !sent! Positive 113 | watch the talented belly dancers as you enjoy delicious [ASP]baba ganoush[ASP] that 's more lemony than smoky . !sent! Positive 114 | watch the talented [ASP]belly dancers[ASP] as you enjoy delicious baba ganoush that 's more lemony than smoky . !sent! Positive 115 | oh , and there 's [ASP]hookah[ASP] . !sent! Positive 116 | [ASP]raymond[ASP] the bartender rocks ! !sent! Positive 117 | [ASP]pacifico[ASP] is a great place to casually hang out . !sent! Positive 118 | the [ASP]drinks[ASP] are great , especially when made by raymond . !sent! Positive 119 | the drinks are great , especially when made by [ASP]raymond[ASP] . !sent! Positive 120 | the [ASP]omlette for brunch[ASP] is great ... !sent! Positive 121 | the [ASP]spinach[ASP] is fresh , definately not frozen ... !sent! Positive 122 | [ASP]quacamole[ASP] at pacifico is yummy , as are the wings with chimmichuri . !sent! Positive 123 | quacamole at pacifico is yummy , as are the [ASP]wings with chimmichuri[ASP] . !sent! Positive 124 | a weakness is the [ASP]chicken in the salads[ASP] . !sent! Negative 125 | also , i personally was n't a fan of the [ASP]portobello and asparagus mole[ASP] . !sent! Negative 126 | overall , decent [ASP]food[ASP] at a good price , with friendly people . !sent! Neutral 127 | overall , decent food at a good price , with friendly [ASP]people[ASP] . !sent! Positive 128 | best [ASP]indian restaurant[ASP] in the city !sent! Positive 129 | [ASP]decor[ASP] needs to be upgraded but the food is amazing ! !sent! Negative 130 | decor needs to be upgraded but the [ASP]food[ASP] is amazing ! !sent! Positive 131 | this small astoria souvlaki spot makes what many consider the best [ASP]gyros[ASP] in new york . !sent! Positive 132 | what really makes it shine is the [ASP]food[ASP] , which is aggressively seasoned with cyrpriot spices , and all made in - house ( even the gyro meat and sausages ) , and made of much higher quality ingredients that might otherwise be expected . !sent! Positive 133 | what really makes it shine is the food , which is aggressively seasoned with cyrpriot spices , and all made in - house ( even the [ASP]gyro meat[ASP] and sausages ) , and made of much higher quality ingredients that might otherwise be expected . !sent! Positive 134 | what really makes it shine is the food , which is aggressively seasoned with cyrpriot spices , and all made in - house ( even the gyro meat and [ASP]sausages[ASP] ) , and made of much higher quality ingredients that might otherwise be expected . !sent! Positive 135 | what really makes it shine is the food , which is aggressively seasoned with cyrpriot spices , and all made in - house ( even the gyro meat and sausages ) , and made of much higher quality [ASP]ingredients[ASP] that might otherwise be expected . !sent! Positive 136 | all the various [ASP]greek and cypriot dishes[ASP] are excellent , but the gyro is the reason to come -- if you do n't eat one your trip was wasted . !sent! Positive 137 | all the various greek and cypriot dishes are excellent , but the [ASP]gyro[ASP] is the reason to come -- if you do n't eat one your trip was wasted . !sent! Positive 138 | best [ASP]restaurant[ASP] in brooklyn !sent! Positive 139 | great [ASP]food[ASP] , amazing service , this place is a class act . !sent! Positive 140 | great food , amazing [ASP]service[ASP] , this place is a class act . !sent! Positive 141 | great food , amazing service , this [ASP]place[ASP] is a class act . !sent! Positive 142 | the [ASP]veal[ASP] was incredible last night . !sent! Positive 143 | this [ASP]place[ASP] is a must visit ! !sent! Positive 144 | most of the [ASP]booths[ASP] allow you to sit next to eachother without looking like ' that ' couple . !sent! Positive 145 | the [ASP]food[ASP] is all shared so we get to order together and eat together . !sent! Positive 146 | i 've enjoyed 99 % of the [ASP]dishes[ASP] we 've ordered with the only exceptions being the occasional too - authentic - for - me dish ( i 'm a daring eater but not that daring ) . !sent! Positive 147 | i 've enjoyed 99 % of the [ASP]dish[ASP] es we 've ordered with the only exceptions being the occasional too - authentic - for - me dish ( i 'm a daring eater but not that daring ) . !sent! Negative 148 | my daughter 's wedding reception at [ASP]water 's edge[ASP] received the highest compliments from our guests . !sent! Positive 149 | everyone raved about the [ASP]atmosphere[ASP] ( elegant rooms and absolutely incomparable views ) and the fabulous food ! !sent! Positive 150 | everyone raved about the atmosphere ( elegant [ASP]rooms[ASP] and absolutely incomparable views ) and the fabulous food ! !sent! Positive 151 | everyone raved about the atmosphere ( elegant rooms and absolutely incomparable [ASP]views[ASP] ) and the fabulous food ! !sent! Positive 152 | everyone raved about the atmosphere ( elegant rooms and absolutely incomparable views ) and the fabulous [ASP]food[ASP] ! !sent! Positive 153 | [ASP]service[ASP] was wonderful ; !sent! Positive 154 | [ASP]paul[ASP] , the maitre d ' , was totally professional and always on top of things . !sent! Positive 155 | thank you everyone at [ASP]water 's edge[ASP] . !sent! Positive 156 | [ASP]service[ASP] ok but unfriendly , filthy bathroom . !sent! Negative 157 | service ok but unfriendly , filthy [ASP]bathroom[ASP] . !sent! Negative 158 | the high prices you 're going to pay is for the [ASP]view[ASP] not for the food . !sent! Neutral 159 | the high prices you 're going to pay is for the view not for the [ASP]food[ASP] . !sent! Negative 160 | the [ASP]bar drinks[ASP] were eh , ok to say the least . !sent! Negative 161 | the [ASP]stuff tilapia[ASP] was horrid ... tasted like cardboard . !sent! Negative 162 | we thought the [ASP]dessert[ASP] would be better , wrong ! !sent! Negative 163 | oh speaking of bathroom , the [ASP]mens bathroom[ASP] was disgusting . !sent! Negative 164 | the [ASP]wine list[ASP] was extensive - though the staff did not seem knowledgeable about wine pairings . !sent! Positive 165 | the wine list was extensive - though the [ASP]staff[ASP] did not seem knowledgeable about wine pairings . !sent! Negative 166 | the [ASP]bread[ASP] we received was horrible - rock hard and cold - and the " free " appetizer of olives was disappointing . !sent! Negative 167 | the bread we received was horrible - rock hard and cold - and the " free " [ASP]appetizer of olives[ASP] was disappointing . !sent! Negative 168 | however , our [ASP]main course[ASP] was wonderful . !sent! Positive 169 | i had [ASP]fish[ASP] and my husband had the filet - both of which exceeded our expectations . !sent! Positive 170 | i had fish and my husband had the [ASP]filet[ASP] - both of which exceeded our expectations . !sent! Positive 171 | the dessert ( we had a [ASP]pear torte[ASP] ) was good - but , once again , the staff was unable to provide appropriate drink suggestions . !sent! Positive 172 | the dessert ( we had a pear torte ) was good - but , once again , the [ASP]staff[ASP] was unable to provide appropriate drink suggestions . !sent! Negative 173 | when we inquired about ports - the [ASP]waitress[ASP] listed off several but did not know taste variations or cost . !sent! Negative 174 | not what i would expect for the price and prestige of this [ASP]location[ASP] . !sent! Neutral 175 | all in all , i would return - as it was a beautiful [ASP]restaurant[ASP] - but i hope the staff pays more attention to the little details in the future . !sent! Positive 176 | all in all , i would return - as it was a beautiful restaurant - but i hope the [ASP]staff[ASP] pays more attention to the little details in the future . !sent! Negative 177 | short and sweet – [ASP]seating[ASP] is great : it 's romantic , cozy and private . !sent! Positive 178 | the [ASP]boths[ASP] are not as small as some of the reviews make them out to look they 're perfect for 2 people . !sent! Positive 179 | the [ASP]service[ASP] was extremely fast and attentive(thanks to the service button on your table ) but i barely understood 1 word when the waiter took our order . !sent! Positive 180 | the service was extremely fast and attentive(thanks to the [ASP]service button[ASP] on your table ) but i barely understood 1 word when the waiter took our order . !sent! Positive 181 | the service was extremely fast and attentive(thanks to the service button on your table ) but i barely understood 1 word when the [ASP]waiter[ASP] took our order . !sent! Negative 182 | the [ASP]food[ASP] was ok and fair nothing to go crazy . !sent! Neutral 183 | over all the [ASP]looks[ASP] of the place exceeds the actual meals . !sent! Positive 184 | over all the looks of the place exceeds the actual [ASP]meals[ASP] . !sent! Negative 185 | so what you really end up paying for is the [ASP]restaurant[ASP] not the food . !sent! Negative 186 | so what you really end up paying for is the restaurant not the [ASP]food[ASP] . !sent! Negative 187 | subtle [ASP]food[ASP] and service !sent! Positive 188 | subtle food and [ASP]service[ASP] !sent! Positive 189 | noodle pudding is exactly the type of [ASP]service[ASP] and food i enjoy . !sent! Positive 190 | noodle pudding is exactly the type of service and [ASP]food[ASP] i enjoy . !sent! Positive 191 | servers are all different , [ASP]greg[ASP] is my favorite . !sent! Positive 192 | sometimes tables do n't understand his sense of humor but it 's refreshing to have a [ASP]server[ASP] who has personality , professionalism , and respects the privacy of your dinner . !sent! Positive 193 | this is the first place i 've been that a [ASP]runner[ASP] remembers my order ... hope he likes his job because i have half a mind to steal him for my restaurant . !sent! Positive 194 | prices are fair across the board for both [ASP]food[ASP] and bev . !sent! Positive 195 | prices are fair across the board for both food and [ASP]bev[ASP] . !sent! Positive 196 | i go out to eat and like my courses , [ASP]servers[ASP] are patient and never rush courses or force another drink . !sent! Positive 197 | amazing fresh [ASP]dogs[ASP] but best of all endless toppings ! ! ! !sent! Positive 198 | amazing fresh dogs but best of all endless [ASP]toppings[ASP] ! ! ! !sent! Positive 199 | this place had all the [ASP]trimmings[ASP] and i mean all . !sent! Positive 200 | amazing fun for hot dog lovers of all ages please do yourself a favor and check this [ASP]place[ASP] out ! ! ! ! !sent! Positive 201 | amazing fun for [ASP]hot dog[ASP] lovers of all ages please do yourself a favor and check this place out ! ! ! ! !sent! Positive 202 | stepping into [ASP]casa la femme[ASP] last night was a true experience unlike any other in new york ! !sent! Positive 203 | highly impressed from the [ASP]decor[ASP] to the food to the hospitality to the great night i had ! !sent! Positive 204 | highly impressed from the decor to the [ASP]food[ASP] to the hospitality to the great night i had ! !sent! Positive 205 | the have a great [ASP]cocktail with citrus vodka and lemon and lime juice and mint leaves[ASP] that is to die for ! !sent! Positive 206 | [ASP]food[ASP] took some time to prepare , all worth waiting for . !sent! Positive 207 | we were drawn into the [ASP]belly dancing show[ASP] that captivated the crowd . !sent! Positive 208 | i never write on these sites but this [ASP]restaurant[ASP] is def worth commending ! !sent! Positive 209 | maggot in the [ASP]food[ASP] ! !sent! Negative 210 | the [ASP]menu[ASP] looked great , and the waiter was very nice , but when the food came , it was average . !sent! Positive 211 | the menu looked great , and the [ASP]waiter[ASP] was very nice , but when the food came , it was average . !sent! Positive 212 | the menu looked great , and the waiter was very nice , but when the [ASP]food[ASP] came , it was average . !sent! Neutral 213 | nevertheless , i finished my plate , and that 's when i found a maggot in [ASP]mushroom sauce[ASP] at the bottom . !sent! Negative 214 | i showed it to the [ASP]manager[ASP] , and he smilingly apologized and brought us two free desserts ( but did not ask us what we wanted and so brought the last two desserts we would have asked for ) . !sent! Positive 215 | the [ASP]manager[ASP] finally said he would comp the two glasses of wine ( which cost less than the food ) , and made it seem like a big concession . !sent! Negative 216 | i have worked in restaurants and cook a lot , and there is no way a maggot should be able to get into well prepared [ASP]food[ASP] . !sent! Negative 217 | for a [ASP]restaurant[ASP] with such a good reputation and that is usually so packed , there was no reason for such a lack of intelligent customer service . !sent! Positive 218 | for a restaurant with such a good reputation and that is usually so packed , there was no reason for such a lack of intelligent [ASP]customer service[ASP] . !sent! Negative 219 | i got hair in my [ASP]food[ASP] 2 times of then ! !sent! Negative 220 | great [ASP]place[ASP] , great value . !sent! Positive 221 | the [ASP]food[ASP] is flavorful , plentiful and reasonably priced . !sent! Positive 222 | the [ASP]atmosphere[ASP] is relaxed and casual . !sent! Positive 223 | it 's a great [ASP]place[ASP] to order from or sit - in . !sent! Positive 224 | [ASP]sushi[ASP] experience was unbelievable with my fiance . !sent! Positive 225 | good creative [ASP]rolls[ASP] ! !sent! Positive 226 | [ASP]yamato[ASP] is an excellent place to go if you re not into sashimi , or if you have friends who does nt like sushi much . !sent! Positive 227 | they have great [ASP]rolls[ASP] , the triple color and norwegetan rolls , are awesome and filling . !sent! Positive 228 | they have great rolls , the [ASP]triple color and norwegetan rolls[ASP] , are awesome and filling . !sent! Positive 229 | one special roll and one regular roll is enough to fill you up , but save room for [ASP]dessert[ASP] ! !sent! Positive 230 | one [ASP]special roll[ASP] and one regular roll is enough to fill you up , but save room for dessert ! !sent! Positive 231 | one special roll and one [ASP]regular roll[ASP] is enough to fill you up , but save room for dessert ! !sent! Positive 232 | they have a delicious [ASP]banana chocolate dessert[ASP] , as well as a great green tea tempura . !sent! Positive 233 | they have a delicious banana chocolate dessert , as well as a great [ASP]green tea tempura[ASP] . !sent! Positive 234 | the [ASP]appetizers[ASP] are also delicious ! !sent! Positive 235 | amazing [ASP]food[ASP] . !sent! Positive 236 | mazing [ASP]interior[ASP] . !sent! Negative 237 | great [ASP]food[ASP] ! !sent! Positive 238 | i 've had my fair share of [ASP]modern japanese[ASP] and this spot delivers . !sent! Positive 239 | the [ASP]atmosphere[ASP] was pretty nice but had a bit lacking , which it tries to make up for with a crazy scheme of mirrors . !sent! Negative 240 | the atmosphere was pretty nice but had a bit lacking , which it tries to make up for with a crazy [ASP]scheme of mirrors[ASP] . !sent! Negative 241 | despite the confusing mirrors this will likely be my go - to for [ASP]modern japanese food[ASP] for the foreseeable future . !sent! Positive 242 | despite the confusing [ASP]mirrors[ASP] this will likely be my go - to for modern japanese food for the foreseeable future . !sent! Negative 243 | [ASP]indo chinese food[ASP] , pretty good ... !sent! Positive 244 | not a very fancy [ASP]place[ASP] but very good chinese style indian food . !sent! Neutral 245 | not a very fancy place but very good [ASP]chinese style indian food[ASP] . !sent! Positive 246 | the [ASP]chicken lollipop[ASP] is my favorite , most of the dishes ( i have to agree with a previous reviewer ) are quite oily and very spicy , espeically the chilli chicken . !sent! Positive 247 | the chicken lollipop is my favorite , most of the [ASP]dishes[ASP] ( i have to agree with a previous reviewer ) are quite oily and very spicy , espeically the chilli chicken . !sent! Negative 248 | the chicken lollipop is my favorite , most of the dishes ( i have to agree with a previous reviewer ) are quite oily and very spicy , espeically the [ASP]chilli chicken[ASP] . !sent! Negative 249 | my mom originally introduced me to this place , but even she ( being indian ) feels the [ASP]food[ASP] can be somewhat over the top spicy and far too oily . !sent! Negative 250 | i was speechless by the horrible [ASP]food[ASP] . !sent! Negative 251 | i attended a holiday dinner at the restaurant , and the [ASP]food[ASP] was majorly disappointing . !sent! Negative 252 | rather than preparing vegetarian dish , the [ASP]chef[ASP] presented me with a plate of steamed vegetables ( minus sauce , seasoning , or any form or aesthetic presentation ) . !sent! Negative 253 | rather than preparing [ASP]vegetarian dish[ASP] , the chef presented me with a plate of steamed vegetables ( minus sauce , seasoning , or any form or aesthetic presentation ) . !sent! Negative 254 | this [ASP]place[ASP] survives on reputation alone . !sent! Negative 255 | this is the most wonderful [ASP]restaurant[ASP] in all of new york city , not just brooklyn ... !sent! Positive 256 | for 7 years they have put out the most tasty , most delicious [ASP]food[ASP] and kept it that way ... !sent! Positive 257 | never swaying , never a bad [ASP]meal[ASP] , never bad service ... !sent! Positive 258 | never swaying , never a bad meal , never bad [ASP]service[ASP] ... !sent! Positive 259 | great [ASP]food[ASP] , great wine list , great service in a great neighborhood ... !sent! Positive 260 | great food , great [ASP]wine list[ASP] , great service in a great neighborhood ... !sent! Positive 261 | great food , great wine list , great [ASP]service[ASP] in a great neighborhood ... !sent! Positive 262 | great food , great wine list , great service in a great [ASP]neighborhood[ASP] ... !sent! Positive 263 | [ASP]patsy 's pizza[ASP] = true love !sent! Positive 264 | hands down the best [ASP]pizza[ASP] on the planet . !sent! Positive 265 | great [ASP]hot dogs[ASP] .. !sent! Positive 266 | the [ASP]hot dogs[ASP] were juicy and tender inside and had plenty of crunch and snap on the outside . !sent! Positive 267 | great [ASP]toppings[ASP] definitely a place you need to check out for late night munchies or a mid day boost ! !sent! Positive 268 | great toppings definitely a [ASP]place[ASP] you need to check out for late night munchies or a mid day boost ! !sent! Positive 269 | for me [ASP]dishes[ASP] a little oily , but overall dining experience good . !sent! Negative 270 | helpful [ASP]service[ASP] and average price per dish $ 10 . !sent! Positive 271 | helpful service and average price per [ASP]dish[ASP] $ 10 . !sent! Neutral 272 | the only thing that strikes you is the [ASP]decor[ASP] ? ( not very pleasant ) . !sent! Negative 273 | great [ASP]food[ASP] !sent! Positive 274 | this place has great [ASP]indian chinese food[ASP] . !sent! Positive 275 | be prepared to wait , because the [ASP]place[ASP] is pretty tiny . !sent! Negative 276 | even though the [ASP]place[ASP] is not beautiful , the food speaks for itself . !sent! Negative 277 | even though the place is not beautiful , the [ASP]food[ASP] speaks for itself . !sent! Positive 278 | best [ASP]indian chinese[ASP] in the city , by far ! !sent! Positive 279 | i came across [ASP]village underground[ASP] by accident , now i go there all the time . !sent! Positive 280 | the [ASP]martinis[ASP] are amazing and very fairly priced . !sent! Positive 281 | the [ASP]service[ASP] is amazing , i 've had different waiters and they were all nice , which is a rare thing in nyc . !sent! Positive 282 | the service is amazing , i 've had different [ASP]waiters[ASP] and they were all nice , which is a rare thing in nyc . !sent! Positive 283 | the [ASP]dj[ASP] is awesome , i have been there for my birthday and a bunch of other times with friends and i keep going back . !sent! Positive 284 | everything on the [ASP]menu[ASP] is great . !sent! Positive 285 | this [ASP]establishment[ASP] is the real deal . !sent! Positive 286 | wish ny had more of these kind of places : intimate , superb [ASP]food[ASP] , homey , top notch all the way around , certainly worth the wait . !sent! Positive 287 | but $ 500 for a [ASP]dinner for two[ASP] that did n't include wine ? !sent! Negative 288 | look , the [ASP]appetizers[ASP] were really good . !sent! Positive 289 | the [ASP]entree[ASP] was also very good . !sent! Positive 290 | what you are paying for is the [ASP]environment[ASP] and the name . !sent! Neutral 291 | yes , the [ASP]place[ASP] is classy and beautiful , but they most certainly target the uber whealthy not the common joe that wants to go all out every once in a while . !sent! Positive 292 | [ASP]vanison[ASP] was good but not amazing . !sent! Neutral 293 | [ASP]bison[ASP] was quite excellent however . !sent! Positive 294 | [ASP]dessert[ASP] : pure disaster . !sent! Negative 295 | i read reviews that called the [ASP]restaurant[ASP] too expensive and i thought to myself , but may be it is worth it . !sent! Negative 296 | [ASP]the four seasons[ASP] has history and it is a sort of landmark of new york city restaurants , but trust me , they will charge you through the nose just so that you can say " i 've been to the four seasons restaurant " . !sent! Neutral 297 | all in all , the [ASP]food[ASP] was great ( except for the dessserts ) . !sent! Positive 298 | all in all , the food was great ( except for the [ASP]dessserts[ASP] ) . !sent! Negative 299 | the [ASP]environment[ASP] is very upscale and you will see a lot of rich guys with trophy wives or just highly paid escorts . !sent! Neutral 300 | if you are going for the [ASP]food[ASP] , it will not be worth it . !sent! Negative 301 | you would think they would make up for it with [ASP]service[ASP] , sadly , no . !sent! Negative 302 | [ASP]service[ASP] was just ok , it is not what you 'd expect for $ 500 . !sent! Negative 303 | i agree that dining at [ASP]casa la femme[ASP] is like no other dining experience ! !sent! Negative 304 | i literally just got back home after visiting [ASP]casa la femme[ASP] and was so offended by my visit felt it necessary to try and warn other diners who value their money and time . !sent! Negative 305 | we did arrive late for our reservation so i can not complain too much about the [ASP]wait[ASP] for a table . !sent! Neutral 306 | the [ASP]place[ASP] is beautiful ! !sent! Positive 307 | the [ASP]hostess[ASP] was very pleasant . !sent! Positive 308 | however , our $ 14 [ASP]drinks[ASP] were were horrible ! !sent! Negative 309 | we also asked for hooka six times and the [ASP]waiter[ASP] kept telling us one minute and never returning with the hooka . !sent! Negative 310 | after the 4th time i asked again and the [ASP]waiter[ASP] than said after our dinner . !sent! Negative 311 | we asked for sides which the [ASP]waiter[ASP] than admitted that he forgot to put in that part of our order . !sent! Negative 312 | my [ASP]chicken[ASP] was inedible as there were so many fatty lumps which i had to keep spitting out into my napkin . !sent! Negative 313 | i would not expect this for a $ 55 [ASP]dinner[ASP] . !sent! Negative 314 | by the time we left our wallets were empy and so were our stomachs and we missed the show we were supposed to see following our dinner , which would have been acceptable if we got to enjoy the experience of good [ASP]food[ASP] and belly dancers ! !sent! Negative 315 | if it seemed possible to do so while there i would have fought my bill since my dinner portion of my [ASP]meal[ASP] was inedible ! !sent! Negative 316 | i have never left a [ASP]restaurant[ASP] feeling as if i was abused , and wasted my hard earned money . !sent! Negative 317 | the [ASP]menu[ASP] is fairly simple without much descriptions . !sent! Neutral 318 | there was no tap [ASP]beer[ASP] that evening , which was a disappointment . !sent! Negative 319 | not much of a [ASP]selection of bottled beer[ASP] either , we went with brahma . !sent! Negative 320 | the appetizers we ordered were served quickly - an order of [ASP]fried oysters and clams[ASP] were delicious but a tiny portion ( maybe 3 of each ) . !sent! Positive 321 | the [ASP]lobster knuckles[ASP] ( special of the day ) were ok , but pretty tasteless . !sent! Neutral 322 | i believe there were 2 shrimp in the [ASP]" salt encrusted shrimp " appetizer[ASP] . !sent! Negative 323 | i had the [ASP]thai style fried sea bass[ASP] ... which was very good . !sent! Positive 324 | everyone seemed generally happy with their [ASP]food[ASP] , except my brother who had the grilled mahi mahi , seemingly drenched in grapfruit juice ! !sent! Positive 325 | everyone seemed generally happy with their food , except my brother who had the [ASP]grilled mahi mahi[ASP] , seemingly drenched in grapfruit juice ! !sent! Negative 326 | i heard the [ASP]lobster roll[ASP] was excellent . !sent! Positive 327 | all in all the [ASP]food[ASP] was good - a little on the expensive side , but fresh . !sent! Positive 328 | [ASP]service[ASP] not the friendliest to our " large party " ! !sent! Negative 329 | great [ASP]indian food[ASP] !sent! Positive 330 | [ASP]food[ASP] was amazing - i love indian food and eat it quite regularly , but i can say this is one of the best i 've had . !sent! Positive 331 | very " normal [ASP]indian food[ASP] " , but done really well . !sent! Neutral 332 | i have it a 4 instead of 5 because of the price ( just chicken tikka masala - no bread of rice - is $ 25 ) , which i would expect at a upscale indian restaurant but this [ASP]place[ASP] does n't have an upscale feel . !sent! Positive 333 | i have it a 4 instead of 5 because of the price ( just [ASP]chicken tikka masala[ASP] - no bread of rice - is $ 25 ) , which i would expect at a upscale indian restaurant but this place does n't have an upscale feel . !sent! Negative 334 | i have it a 4 instead of 5 because of the price ( just chicken tikka masala - no bread of rice - is $ 25 ) , which i would expect at a upscale indian restaurant but this place does n't have an upscale [ASP]feel[ASP] . !sent! Negative 335 | also , [ASP]waiters[ASP] try to push more food on you , like suggest things as if they are complimentary when they actually cost $ . !sent! Negative 336 | but if you 're prepared to spend some $ and remember to ask if something they offer is complimentary , then this is the place to go for [ASP]indian food[ASP] !sent! Positive 337 | but if you 're prepared to spend some $ and remember to ask if something they offer is complimentary , then this is the [ASP]place[ASP] to go for indian food !sent! Negative 338 | [ASP]bukhara grill[ASP] , the tagline says it all .. " indian spice rave " !sent! Positive 339 | the [ASP]lunch buffet[ASP] is expensive but is deff worth it . !sent! Negative 340 | we have gone for dinner only a few times but the same great quality and [ASP]service[ASP] is given . !sent! Positive 341 | we have gone for [ASP]dinner[ASP] only a few times but the same great quality and service is given . !sent! Positive 342 | [ASP]bukhara[ASP] is on my top 5 indian places in nyc !sent! Positive 343 | i have never been so disgusted by both [ASP]food[ASP] an service . !sent! Negative 344 | i have never been so disgusted by both food an [ASP]service[ASP] . !sent! Negative 345 | however , once i received my predictably mediocre order of what dokebi thinks passes as korean fair , ( sometimes you have to settle when it 's your only option ) , i got through about half my [ASP]kimchee[ASP] before i found a piece of random lettuce accompanied by a far more disgusting , slimy , clearly bad piece of fish skin . !sent! Negative 346 | however , once i received my predictably mediocre order of what dokebi thinks passes as [ASP]korean fair[ASP] , ( sometimes you have to settle when it 's your only option ) , i got through about half my kimchee before i found a piece of random lettuce accompanied by a far more disgusting , slimy , clearly bad piece of fish skin . !sent! Negative 347 | my main concern was the sanity of the [ASP]food[ASP] that was being sent out to myself and others , but i would be lying is i said that as someone who has worked in restaurants since the age of fifteen i was expecting at least a minimal effort on the part of the restaurant to amend the situation . !sent! Negative 348 | my girlfriend , being slightly more aggressive , and having been equally disgusted causing her to throw out the remainder of her barely eaten [ASP]meal[ASP] , called back only to be informed that i was probably wrong and that it was most likely an oyster , and that we were also blacklisted from their restaurant . !sent! Negative 349 | it was n't as if this [ASP]restaurant[ASP] had any major bragging points before hand , but now it 's simply repulsive . !sent! Negative 350 | gorgeous [ASP]place[ASP] ideal for a romantic dinner !sent! Positive 351 | i book a gorgeous white organza tent which included a [ASP]four course prix fix menu[ASP] which we enjoyed a lot . !sent! Positive 352 | i book a gorgeous [ASP]white organza tent[ASP] which included a four course prix fix menu which we enjoyed a lot . !sent! Positive 353 | the [ASP]service[ASP] was spectacular as the waiter knew everything about the menu and his recommendations were amazing ! !sent! Positive 354 | the service was spectacular as the [ASP]waiter[ASP] knew everything about the menu and his recommendations were amazing ! !sent! Positive 355 | i completely recommend [ASP]casa la femme[ASP] for any special occasion and to really impress your date . !sent! Positive 356 | the [ASP]bibimbap[ASP] was average , but the stone bowl was n't even close to sizzling . !sent! Neutral 357 | the bibimbap was average , but the [ASP]stone bowl[ASP] was n't even close to sizzling . !sent! Negative 358 | too bad i had paid an extra $ 2 for the [ASP]stone bowl[ASP] . !sent! Negative 359 | the [ASP]nakgi - bokum[ASP] was horrible . !sent! Negative 360 | easily the worst [ASP]stir - fried squid[ASP] i 've ever tasted . !sent! Negative 361 | the [ASP]sauce[ASP] tasted more like chinese fast food than decent korean . !sent! Negative 362 | the [ASP]side dishes[ASP] were passable , and i did get a refill upon request . !sent! Neutral 363 | the real problem i had with this place was the complete lack of [ASP]service[ASP] . !sent! Negative 364 | my wife had barely touched that mess of a [ASP]dish[ASP] . !sent! Negative 365 | the wife had the [ASP]risotto[ASP] which was amazing . !sent! Positive 366 | the [ASP]farro salad[ASP] and the mashed yukon potatoes were also extremely tasty . !sent! Positive 367 | the farro salad and the [ASP]mashed yukon potatoes[ASP] were also extremely tasty . !sent! Positive 368 | i love margherita pizza – i looove [ASP]east village pizza[ASP] !sent! Positive 369 | i love [ASP]margherita pizza[ASP] – i looove east village pizza !sent! Positive 370 | love this [ASP]place[ASP] , every time we are in the city this is one of the places we always go . !sent! Positive 371 | a quintessential [ASP]slice of nyc pizza[ASP] . !sent! Neutral 372 | the [ASP]crust[ASP] has a great bite and a good chew , the sauce is light with a nice acidity to it , the salt from the cheese is great , really heightens the flavor of all the other components . !sent! Positive 373 | the crust has a great bite and a good chew , the [ASP]sauce[ASP] is light with a nice acidity to it , the salt from the cheese is great , really heightens the flavor of all the other components . !sent! Positive 374 | the crust has a great bite and a good chew , the sauce is light with a nice acidity to it , the salt from the [ASP]cheese[ASP] is great , really heightens the flavor of all the other components . !sent! Positive 375 | personally i like the [ASP]margherita pizza[ASP] better , but they are all good . !sent! Positive 376 | possibly the most romantic [ASP]restaurant[ASP] in the city !sent! Positive 377 | this is undoubtedly my favorite [ASP]modern japanese brasserie[ASP] ( that do n’t serve sushi ) , and in my opinion , one of the most romantic restaurants in the city ! !sent! Positive 378 | not only is it an adventure getting to this somewhat hidden [ASP]spot[ASP] , once you enter the unmarked wooden doors , the zen and intimate décor will make you feel like you ’re no longer in the city . !sent! Neutral 379 | not only is it an adventure getting to this somewhat hidden spot , once you enter the [ASP]unmarked wooden doors[ASP] , the zen and intimate décor will make you feel like you ’re no longer in the city . !sent! Positive 380 | not only is it an adventure getting to this somewhat hidden spot , once you enter the unmarked wooden doors , the zen and intimate [ASP]décor[ASP] will make you feel like you ’re no longer in the city . !sent! Positive 381 | if you ’re planning to come here , make sure that your date is someone whom you really like since you ’ll be ushered to [ASP]private booths[ASP] where there will be no people or food watching ( choose the ones on the ground level that have glass ceilings so you may see the stars in the sky ! ) . !sent! Positive 382 | if you ’re planning to come here , make sure that your date is someone whom you really like since you ’ll be ushered to private booths where there will be no people or food watching ( choose the ones on the ground level that have [ASP]glass ceilings[ASP] so you may see the stars in the sky ! ) . !sent! Positive 383 | it ’s just you and your date and an occasional cute ‘ excuse me’ before the [ASP]waiter[ASP] opens the little curtain to your booth ! !sent! Positive 384 | my party had the [ASP]bbe $ 29 fixe prix menu[ASP] , which was such a wonderful deal since it also came with a flight of sake ! !sent! Positive 385 | we started off with a delightful [ASP]sashimi amuse bouche[ASP] . !sent! Positive 386 | i picked the [ASP]grilled black cod[ASP] as my entree , which i absolutely devoured while someone commented that the grilled salmon dish was better . !sent! Positive 387 | i picked the grilled black cod as my entree , which i absolutely devoured while someone commented that the [ASP]grilled salmon dish[ASP] was better . !sent! Positive 388 | the [ASP]entrees[ASP] were served with miso soup and rice . !sent! Neutral 389 | the [ASP]sake ’s[ASP] complimented the courses very well and is successfully easing me into the sake world . !sent! Positive 390 | for desserts , we tried the [ASP]frozen black sesame mousse[ASP] ( interesting but not extraordinary ) and matcha ( powdered green tea ) and blueberry cheesecake , which was phenomenal . !sent! Neutral 391 | for desserts , we tried the frozen black sesame mousse ( interesting but not extraordinary ) and [ASP]matcha ( powdered green tea ) and blueberry cheesecake[ASP] , which was phenomenal . !sent! Positive 392 | maybe it was the great company ( i had friends visiting from philly – yes , it was not a date this time ) or the super reasonable price point , but i just ca n’t say enough good things about this [ASP]brasserie[ASP] . !sent! Positive 393 | i do n’t usually visit the same establishment more than once , what more twice , but i ’ll come to [ASP]zenkichi[ASP] anytime for a quiet , unhurried and memorable dinner . !sent! Positive 394 | the [ASP]service[ASP] leaves much to be desired , from feeling like you are rushed the place your order , to being ignored the rest of the night . !sent! Negative 395 | they are extremely rude , not even apologizing for the horrible [ASP]service[ASP] we got and handing us a bill well over $ 500 for some drinks adn their pita bread ! !sent! Negative 396 | they are extremely rude , not even apologizing for the horrible service we got and handing us a bill well over $ 500 for some [ASP]drinks[ASP] adn their pita bread ! !sent! Negative 397 | they are extremely rude , not even apologizing for the horrible service we got and handing us a bill well over $ 500 for some drinks adn their [ASP]pita bread[ASP] ! !sent! Negative 398 | great [ASP]shabu shabu[ASP] !sent! Positive 399 | i tried a couple other [ASP]dishes[ASP] but was n't too impressed . !sent! Neutral 400 | but for the [ASP]shabu shabu[ASP] , you wo n't find much better in ny . !sent! Positive 401 | the [ASP]meat[ASP] is fresh , the sauces are great , you get kimchi and a salad free with your meal and service is good too . !sent! Positive 402 | the meat is fresh , the [ASP]sauces[ASP] are great , you get kimchi and a salad free with your meal and service is good too . !sent! Positive 403 | the meat is fresh , the sauces are great , you get kimchi and a salad free with your meal and [ASP]service[ASP] is good too . !sent! Positive 404 | the meat is fresh , the sauces are great , you get kimchi and a salad free with your [ASP]meal[ASP] and service is good too . !sent! Positive 405 | the meat is fresh , the sauces are great , you get [ASP]kimchi[ASP] and a salad free with your meal and service is good too . !sent! Positive 406 | the meat is fresh , the sauces are great , you get kimchi and a [ASP]salad[ASP] free with your meal and service is good too . !sent! Positive 407 | dokebi gives williamsburg the right one - two punch of classic [ASP]korean food[ASP] and fusion twists like pork belly tacos . !sent! Positive 408 | dokebi gives williamsburg the right one - two punch of classic korean food and [ASP]fusion twists[ASP] like pork belly tacos . !sent! Positive 409 | dokebi gives williamsburg the right one - two punch of classic korean food and fusion twists like [ASP]pork belly tacos[ASP] . !sent! Positive 410 | the [ASP]hot dogs[ASP] are good , yes , but the reason to get over here is the fantastic pork croquette sandwich , perfect on its supermarket squishy bun . !sent! Positive 411 | the hot dogs are good , yes , but the reason to get over here is the fantastic [ASP]pork croquette sandwich[ASP] , perfect on its supermarket squishy bun . !sent! Positive 412 | the hot dogs are good , yes , but the reason to get over here is the fantastic pork croquette sandwich , perfect on its supermarket squishy [ASP]bun[ASP] . !sent! Positive 413 | restaurant with a [ASP]view[ASP] !sent! Neutral 414 | the [ASP]food[ASP] tasted very good . !sent! Positive 415 | the [ASP]family seafood entree[ASP] was very good . !sent! Positive 416 | the [ASP]main entree[ASP] was also very good . !sent! Positive 417 | price is high but the [ASP]food[ASP] is good , so i would come back again . !sent! Positive 418 | this [ASP]place[ASP] does n't make any sense !sent! Negative 419 | this place has totally weird [ASP]decor[ASP] , stairs going up with mirrored walls - i am surprised how no one yet broke their head or fall off the stairs - mirrored walls make you dizzy and delusional ... !sent! Negative 420 | this place has totally weird decor , stairs going up with [ASP]mirrored walls[ASP] - i am surprised how no one yet broke their head or fall off the stairs - mirrored walls make you dizzy and delusional ... !sent! Negative 421 | this [ASP]place[ASP] is not inviting and the food is totally weird . !sent! Negative 422 | this place is not inviting and the [ASP]food[ASP] is totally weird . !sent! Negative 423 | the concept of [ASP]japanese tapas[ASP] is newly created and clearly does n't work . !sent! Negative 424 | the [ASP]food[ASP] they serve is not comforting , not appetizing and uncooked . !sent! Negative 425 | good [ASP]food[ASP] !sent! Positive 426 | the [ASP]food[ASP] was great and tasty , but the sitting space was too small , i do n't like being cramp in a corner . !sent! Positive 427 | the food was great and tasty , but the [ASP]sitting space[ASP] was too small , i do n't like being cramp in a corner . !sent! Negative 428 | over all it was a very nice romantic [ASP]place[ASP] . !sent! Positive 429 | a coworker and i tried [ASP]pacifico[ASP] after work a few fridays and loved it . !sent! Positive 430 | the [ASP]atmosphere[ASP] was great . !sent! Positive 431 | the [ASP]food[ASP] we ordered was excellent , although i would n't say the margaritas were anything to write home about . !sent! Positive 432 | the food we ordered was excellent , although i would n't say the [ASP]margaritas[ASP] were anything to write home about . !sent! Neutral 433 | our [ASP]waitress[ASP] was n't mean , but not especially warm or attentive either . !sent! Neutral 434 | i must say i am surprised by the bad reviews of the [ASP]restaurant[ASP] earlier in the year , though . !sent! Positive 435 | regardless , we 'll be back and ca n't wait to visit in the summer to take advantage of the [ASP]patio[ASP] . !sent! Positive 436 | the [ASP]servers[ASP] at flatbush farm appear to have perfected that ghastly technique of making you feel guilty and ashamed for deigning to attract their attention . !sent! Negative 437 | a different [ASP]server[ASP] enhanced the fun , dumping our entrees in front of us halfway through our appetizer ( which was delicious ) . !sent! Negative 438 | a different server enhanced the fun , dumping our entrees in front of us halfway through our [ASP]appetizer[ASP] ( which was delicious ) . !sent! Positive 439 | overall the [ASP]food[ASP] quality was pretty good , though i hear the salmon is much better when it has n't sat cooling in front of the guest . !sent! Positive 440 | the place has a nice [ASP]fit - out[ASP] , some attractive furnishings and , from what i could tell , a reasonable wine list ( i was given the food menu when i asked for the carte des vins ) !sent! Positive 441 | the place has a nice fit - out , some attractive [ASP]furnishings[ASP] and , from what i could tell , a reasonable wine list ( i was given the food menu when i asked for the carte des vins ) !sent! Positive 442 | the place has a nice fit - out , some attractive furnishings and , from what i could tell , a reasonable [ASP]wine list[ASP] ( i was given the food menu when i asked for the carte des vins ) !sent! Positive 443 | how is this [ASP]palce[ASP] still open ? !sent! Negative 444 | everything was going good until we got our [ASP]meals[ASP] . !sent! Negative 445 | i took one look at the [ASP]chicken[ASP] and i was appalled . !sent! Negative 446 | it was served with skin , over a bed of extremely undercooked [ASP]spinach[ASP] and mashed potatoes . !sent! Negative 447 | i took one bite from the $ 24 [ASP]salmon[ASP] , and i have never , in the 17 years i have been going to restaurants tasted salmon as fishy , as dry , and as bland as the one in flatbush farms . !sent! Negative 448 | at this point , the [ASP]waitress[ASP] comes over and asks us if everything was okay , i was literally so shocked that i was speechless and did n't say anything , and guess what , the waitress walked away . !sent! Negative 449 | so , i switch with my boyfriend again to see if maybe i could stomach the meat and [ASP]spinach[ASP] again , but the spinach was so undercooked that i just could not bite through it . !sent! Negative 450 | this is where it really really gets bad : the [ASP]manager[ASP] said , there is absolutely nothing we can do , it 's a matter of taste that she did n't like it , and i can not comp it . !sent! Negative 451 | the [ASP]manager[ASP] came to the table and said we can do what we want , so we paid for what we did enjoy , the drinks and appetizers , and walked out . !sent! Negative 452 | the manager came to the table and said we can do what we want , so we paid for what we did enjoy , the [ASP]drinks[ASP] and appetizers , and walked out . !sent! Positive 453 | the manager came to the table and said we can do what we want , so we paid for what we did enjoy , the drinks and [ASP]appetizers[ASP] , and walked out . !sent! Positive 454 | this [ASP]staff[ASP] should be fired . !sent! Negative 455 | cirspy crust [ASP]margherita pizza[ASP] !sent! Positive 456 | it was really good [ASP]pizza[ASP] . !sent! Positive 457 | the [ASP]crust[ASP] was imazingly cooked well and pizza was fully loaded : ) : ) : ) !sent! Positive 458 | the crust was imazingly cooked well and [ASP]pizza[ASP] was fully loaded : ) : ) : ) !sent! Positive 459 | single worst [ASP]restaurant[ASP] in manhattan !sent! Negative 460 | i 'll being with a couple of positives : cool [ASP]decor[ASP] , good pita and hummus , and grilled octopus that was actually pretty tasty . !sent! Positive 461 | i 'll being with a couple of positives : cool decor , good [ASP]pita[ASP] and hummus , and grilled octopus that was actually pretty tasty . !sent! Positive 462 | i 'll being with a couple of positives : cool decor , good pita and [ASP]hummus[ASP] , and grilled octopus that was actually pretty tasty . !sent! Positive 463 | i 'll being with a couple of positives : cool decor , good pita and hummus , and [ASP]grilled octopus[ASP] that was actually pretty tasty . !sent! Positive 464 | if i could give 0 stars i would do so for this [ASP]place[ASP] . !sent! Negative 465 | this [ASP]place[ASP] ... god where do i begin . !sent! Negative 466 | it is quite a spectacular [ASP]scene[ASP] i 'll give them that . !sent! Positive 467 | the [ASP]decor[ASP] however seems to be the distraction so you wo n't notice that you just payed 300 bucks for some cold eggplant that took 2 frickin hours to come ! ! ! ! !sent! Neutral 468 | the decor however seems to be the distraction so you wo n't notice that you just payed 300 bucks for some cold [ASP]eggplant[ASP] that took 2 frickin hours to come ! ! ! ! !sent! Negative 469 | how this [ASP]place[ASP] survives the competitive west village market in this economy , or any other for that matter , is beyond me . !sent! Negative 470 | great [ASP]hot dogs[ASP] ! !sent! Positive 471 | though it 's been crowded most times i 've gone here , bark always delivers on their [ASP]food[ASP] . !sent! Positive 472 | though it 's been crowded most times i 've gone here , [ASP]bark[ASP] always delivers on their food . !sent! Neutral 473 | the [ASP]hot dogs[ASP] are top notch , and they 're slamwich is amazing ! !sent! Positive 474 | the hot dogs are top notch , and they 're [ASP]slamwich[ASP] is amazing ! !sent! Positive 475 | going to [ASP]bark[ASP] is always worth the train ride , and will make your tongue and belly very happy ! !sent! Positive 476 | only complaint is the pricing -- i believe it would be more reasonable to pay a dollar less on each item listed on the [ASP]menu[ASP] . !sent! Negative 477 | but nonetheless -- great [ASP]spot[ASP] , great food . !sent! Positive 478 | but nonetheless -- great spot , great [ASP]food[ASP] . !sent! Positive 479 | fabulous [ASP]food[ASP] - if the front of house staff do n't put you off – !sent! Positive 480 | fabulous food - if the [ASP]front of house staff[ASP] do n't put you off – !sent! Negative 481 | each time we 've been , the front of house staff ( not the [ASP]waiters[ASP] - they 're fantastic - but the people who greet and seat you ) has been so hideous to us that were it not for the exceptional fish dishes i would never return . !sent! Positive 482 | each time we 've been , the [ASP]front of house staff[ASP] ( not the waiters - they 're fantastic - but the people who greet and seat you ) has been so hideous to us that were it not for the exceptional fish dishes i would never return . !sent! Negative 483 | each time we 've been , the front of house staff ( not the waiters - they 're fantastic - but the people who greet and seat you ) has been so hideous to us that were it not for the exceptional [ASP]fish dishes[ASP] i would never return . !sent! Positive 484 | as [ASP]bfc[ASP] does n't take reservations you almost always have to wait by the bar - and be abused by the front of house staff until you are seated , which can be over an hour later ! !sent! Negative 485 | as bfc does n't take reservations you almost always have to wait by the bar - and be abused by the [ASP]front of house staff[ASP] until you are seated , which can be over an hour later ! !sent! Negative 486 | the frizzy retro [ASP]girl[ASP] ( with winged/ dame edna glasses ) will yell at you if you try to order a drink . !sent! Negative 487 | i 'd be horrified if my [ASP]staff[ASP] were turning away customers so early and so rudely ! !sent! Negative 488 | there 's another [ASP]girl[ASP] who i ca n't describe , she is about 5'6 " with brown hair , who eavesdrops on your conversation and chimes in - except she only hears the last part of what you said , so her uninvited opinions are often out of context and nothing to do with what you 're * really * talking about . !sent! Negative 489 | considering you will spend at least $ 60 a head , i expect better [ASP]service[ASP] . !sent! Negative 490 | [ASP]maitre - d[ASP] -"eat and get out " !sent! Negative 491 | the [ASP]food[ASP] and service were fine , however the maitre - d was incredibly unwelcoming and arrogant . !sent! Positive 492 | the food and [ASP]service[ASP] were fine , however the maitre - d was incredibly unwelcoming and arrogant . !sent! Positive 493 | the food and service were fine , however the [ASP]maitre - d[ASP] was incredibly unwelcoming and arrogant . !sent! Negative 494 | while finishing our meals which included a high - end [ASP]bottle of wine[ASP] , our son 's fiance joined us for a glass of wine and dessert . !sent! Positive 495 | this guy refused to seat her and she left , followed shortly by the four of us , but not before i told him that in my 40 years of world travel , including paris , that i had never seen such a display of bad behavior by a [ASP]frontman[ASP] in a restaurant . !sent! Negative 496 | a word to the wise : you ca n't dine here and disturb the [ASP]maitre - d[ASP] 's sense of " table turnover " , as whacked as it is , or else . !sent! Negative 497 | best [ASP]meal[ASP] in a long time ! !sent! Positive 498 | [ASP]mussles[ASP] and calamari were superb saturday evening . !sent! Positive 499 | mussles and [ASP]calamari[ASP] were superb saturday evening . !sent! Positive 500 | i had the [ASP]lamb special[ASP] which was perfect . !sent! Positive 501 | my father had the [ASP]flank steak[ASP] which was very good , and my mother had the swordfish . !sent! Positive 502 | [ASP]the four seasons restaurant[ASP] is a great experience . !sent! Positive 503 | the [ASP]food[ASP] is great and the environment is even better . !sent! Positive 504 | the food is great and the [ASP]environment[ASP] is even better . !sent! Positive 505 | taking [ASP]hot dogs[ASP] to the next level !sent! Positive 506 | at first glance this place seems a bit pricey for a hot dog joint , but at [ASP]bark[ASP] you do n't just get your average hot dog . !sent! Negative 507 | at first glance this place seems a bit pricey for a [ASP]hot dog[ASP] joint , but at bark you do n't just get your average hot dog. !sent! Positive 508 | here the [ASP]hot dog[ASP] is elevated to the level of a real entree with numerous variations available . !sent! Positive 509 | great [ASP]atmosphere[ASP] !sent! Positive 510 | i highly recommend the [ASP]fish tacos[ASP] , everything else was ok . !sent! Positive 511 | cool [ASP]atmosphere[ASP] , the fire place in the back really ads to it but needs a bit more heat throughout on a cold night . !sent! Positive 512 | cool atmosphere , the [ASP]fire place[ASP] in the back really ads to it but needs a bit more heat throughout on a cold night . !sent! Positive 513 | poor [ASP]service[ASP] and management !sent! Negative 514 | poor service and [ASP]management[ASP] !sent! Negative 515 | do n’t go to this [ASP]place[ASP] ! !sent! Negative 516 | had an awful experience at [ASP]casa la femme[ASP] on a saturday dinner . !sent! Negative 517 | the [ASP]manager[ASP] was rude and handled the situation extremely poorly . !sent! Negative 518 | ca n’t believe how an expensive nyc [ASP]restaurant[ASP] can be so disrespectful to its clients . !sent! Negative 519 | the [ASP]food[ASP] is very good , but not outstanding . !sent! Neutral 520 | there is no way it justifies the accolades it receives , the attitude of the [ASP]staff[ASP] or the wait for a table . !sent! Negative 521 | there is no way it justifies the accolades it receives , the attitude of the staff or the [ASP]wait[ASP] for a table . !sent! Negative 522 | mistakes happen , but they are usually accompanied by an apology , perhaps even a glass of wine ... but not the grunt that we received from the al di la [ASP]staff[ASP] . !sent! Negative 523 | the [ASP]bread[ASP] was stale , the salad was overpriced and empty . !sent! Negative 524 | the bread was stale , the [ASP]salad[ASP] was overpriced and empty . !sent! Negative 525 | the [ASP]pasta[ASP] was well cooked , did n't have enough sauce though or flavor . !sent! Positive 526 | the [ASP]hostess[ASP] was rude and i got a distinct feeling that they did not want to serve us . !sent! Negative 527 | the only thing that my friend left out is that when we sat down at the bar the [ASP]bartender[ASP] disappeared . !sent! Negative 528 | i asked for a menu and the same [ASP]waitress[ASP] looked at my like i was insane . !sent! Negative 529 | i was shocked that my friends wanted to stay after the [ASP]waitress[ASP] said , " can i help you " and " how many are in your party . " !sent! Negative 530 | shame on this place for the horrible rude [ASP]staff[ASP] and non - existent customer service . !sent! Negative 531 | shame on this place for the horrible rude staff and non - existent [ASP]customer service[ASP] . !sent! Negative 532 | bad [ASP]staff[ASP] !sent! Negative 533 | i generally like this [ASP]place[ASP] . !sent! Positive 534 | the [ASP]food[ASP] is good . !sent! Positive 535 | the design of the [ASP]space[ASP] is good . !sent! Positive 536 | but the [ASP]service[ASP] is horrid ! !sent! Negative 537 | i was there for brunch recently , and we were tag teamed by a [ASP]waitress[ASP] and a waiter . !sent! Negative 538 | i was there for brunch recently , and we were tag teamed by a waitress and a [ASP]waiter[ASP] . !sent! Negative 539 | the [ASP]waiter[ASP] delivered our food while holding what appeared to be a plastic bag of garbage in one hand . !sent! Negative 540 | the [ASP]waitress[ASP] came to check in on us every few minutes , and began to clear the plates while half of us were still eating ( a big pet peeve of mine that happens almost everywhere , so i try to ignore it ) . !sent! Negative 541 | -------------------------------------------------------------------------------- /datasets/text_classification/SST2/stsa.binary.dev.dat.inference: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/yangheng95/BoostTextAugmentation/c1b8e63ed4b5205438c089e37278a32da6165cef/datasets/text_classification/SST2/stsa.binary.dev.dat.inference -------------------------------------------------------------------------------- /datasets/text_classification/SST2/stsa.binary.train.dat.inference: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/yangheng95/BoostTextAugmentation/c1b8e63ed4b5205438c089e37278a32da6165cef/datasets/text_classification/SST2/stsa.binary.train.dat.inference -------------------------------------------------------------------------------- /experiment_absc/main_experiments_absc.py: -------------------------------------------------------------------------------- 1 | import os 2 | import shutil 3 | 4 | import autocuda 5 | import random 6 | import warnings 7 | 8 | from boost_aug import ABSCBoostAug, AugmentBackend 9 | 10 | from pyabsa.functional import APCConfigManager, Trainer 11 | from pyabsa.functional import ABSADatasetList 12 | from pyabsa.functional import APCModelList, GloVeAPCModelList 13 | 14 | warnings.filterwarnings('ignore') 15 | # 16 | aug_backends = [ 17 | # AugmentBackend.EDA, 18 | AugmentBackend.SynonymAug 19 | # AugmentBackend.SplitAug, 20 | # AugmentBackend.SpellingAug, 21 | # AugmentBackend.ContextualWordEmbsAug, # WordEmbsAug 22 | # AugmentBackend.BackTranslationAug, 23 | 24 | ] 25 | device = autocuda.auto_cuda() 26 | 27 | # seeds = [random.randint(0, 10000) for _ in range(5)] 28 | seeds = [random.randint(0, 10000) for _ in range(1)] 29 | 30 | for backend in aug_backends: 31 | for dataset in [ 32 | ABSADatasetList.Laptop14, 33 | ABSADatasetList.Restaurant14, 34 | ABSADatasetList.Restaurant15, 35 | ABSADatasetList.Restaurant16, 36 | # ABSADatasetList.MAMS 37 | ]: 38 | config = APCConfigManager.get_apc_config_english() 39 | config.model = APCModelList.FAST_LCF_BERT 40 | config.lcf = 'cdw' 41 | config.similarity_threshold = 1 42 | config.max_seq_len = 80 43 | config.dropout = 0 44 | config.optimizer = 'adamw' 45 | config.cache_dataset = False 46 | config.pretrained_bert = 'microsoft/deberta-v3-base' 47 | config.hidden_dim = 768 48 | config.embed_dim = 768 49 | config.log_step = 20 50 | config.SRD = 3 51 | config.learning_rate = 1e-5 52 | config.batch_size = 16 53 | config.num_epoch = 30 54 | config.evaluate_begin = 2 55 | config.l2reg = 1e-8 56 | config.seed = seeds 57 | try: 58 | shutil.rmtree('integrated_datasets') 59 | shutil.rmtree('source_datasets.backup') 60 | except: 61 | pass 62 | BoostingAugmenter = ABSCBoostAug(ROOT=os.getcwd(), BOOSTING_FOLD=4, AUGMENT_BACKEND=backend, AUGMENT_NUM_PER_CASE=16, WINNER_NUM_PER_CASE=8, device=device) 63 | BoostingAugmenter.apc_boost_augment(config, 64 | dataset, 65 | train_after_aug=True, 66 | rewrite_cache=True, 67 | ) 68 | # BoostingAugmenter.apc_classic_augment(config, 69 | # dataset, 70 | # train_after_aug=True, 71 | # rewrite_cache=True, 72 | # ) 73 | # BoostingAugmenter.apc_mono_augment(config, 74 | # dataset, 75 | # train_after_aug=True, 76 | # rewrite_cache=True, 77 | # ) 78 | # 79 | for backend in aug_backends: 80 | for dataset in [ 81 | ABSADatasetList.Laptop14, 82 | ABSADatasetList.Restaurant14, 83 | ABSADatasetList.Restaurant15, 84 | ABSADatasetList.Restaurant16, 85 | ABSADatasetList.MAMS 86 | ]: 87 | config = APCConfigManager.get_apc_config_english() 88 | config.model = APCModelList.BERT_SPC 89 | config.lcf = 'cdw' 90 | config.similarity_threshold = 1 91 | config.max_seq_len = 80 92 | config.dropout = 0 93 | config.optimizer = 'adamw' 94 | config.cache_dataset = False 95 | config.pretrained_bert = 'microsoft/deberta-v3-base' 96 | config.hidden_dim = 768 97 | config.embed_dim = 768 98 | config.log_step = 20 99 | config.SRD = 3 100 | config.learning_rate = 1e-5 101 | config.batch_size = 16 102 | config.num_epoch = 30 103 | config.evaluate_begin = 2 104 | config.l2reg = 1e-8 105 | config.seed = seeds 106 | try: 107 | shutil.rmtree('integrated_datasets') 108 | shutil.rmtree('source_datasets.backup') 109 | except: 110 | pass 111 | BoostingAugmenter = ABSCBoostAug(ROOT=os.getcwd(), BOOSTING_FOLD=4, AUGMENT_BACKEND=backend, AUGMENT_NUM_PER_CASE=16, WINNER_NUM_PER_CASE=8, device=device) 112 | BoostingAugmenter.apc_boost_augment(config, 113 | dataset, 114 | train_after_aug=True, 115 | rewrite_cache=True, 116 | ) 117 | # BoostingAugmenter.apc_classic_augment(config, 118 | # dataset, 119 | # train_after_aug=True, 120 | # rewrite_cache=True, 121 | # ) 122 | # BoostingAugmenter.apc_mono_augment(config, 123 | # dataset, 124 | # train_after_aug=True, 125 | # rewrite_cache=True, 126 | # ) 127 | 128 | for backend in aug_backends: 129 | for dataset in [ 130 | ABSADatasetList.Laptop14, 131 | ABSADatasetList.Restaurant14, 132 | ABSADatasetList.Restaurant15, 133 | ABSADatasetList.Restaurant16, 134 | ABSADatasetList.MAMS 135 | ]: 136 | config = APCConfigManager.get_apc_config_english() 137 | config.model = APCModelList.BERT_SPC 138 | config.lcf = 'cdw' 139 | config.similarity_threshold = 1 140 | config.max_seq_len = 80 141 | config.dropout = 0 142 | config.optimizer = 'adam' 143 | config.cache_dataset = False 144 | config.pretrained_bert = 'bert-base-uncased' 145 | config.hidden_dim = 768 146 | config.embed_dim = 768 147 | config.log_step = 20 148 | config.SRD = 3 149 | config.learning_rate = 1e-5 150 | config.batch_size = 16 151 | config.num_epoch = 30 152 | config.evaluate_begin = 2 153 | config.l2reg = 1e-8 154 | config.seed = seeds 155 | try: 156 | shutil.rmtree('integrated_datasets') 157 | shutil.rmtree('source_datasets.backup') 158 | except: 159 | pass 160 | BoostingAugmenter = ABSCBoostAug(ROOT=os.getcwd(), BOOSTING_FOLD=4, AUGMENT_BACKEND=backend, AUGMENT_NUM_PER_CASE=16, WINNER_NUM_PER_CASE=8, device=device) 161 | BoostingAugmenter.apc_boost_augment(config, 162 | dataset, 163 | train_after_aug=True, 164 | rewrite_cache=True, 165 | ) 166 | # BoostingAugmenter.apc_classic_augment(config, 167 | # dataset, 168 | # train_after_aug=True, 169 | # rewrite_cache=True, 170 | # ) 171 | # BoostingAugmenter.apc_mono_augment(config, 172 | # dataset, 173 | # train_after_aug=True, 174 | # rewrite_cache=True, 175 | # ) 176 | 177 | # # 178 | for backend in aug_backends: 179 | for dataset in [ 180 | ABSADatasetList.Laptop14, 181 | ABSADatasetList.Restaurant14, 182 | ABSADatasetList.Restaurant15, 183 | ABSADatasetList.Restaurant16, 184 | ABSADatasetList.MAMS 185 | ]: 186 | apc_config = APCConfigManager.get_apc_config_glove() 187 | apc_config.model = GloVeAPCModelList.LSTM 188 | apc_config.max_seq_len = 100 189 | apc_config.dropout = 0 190 | apc_config.optimizer = 'adam' 191 | apc_config.cache_dataset = False 192 | apc_config.learning_rate = 0.001 193 | apc_config.batch_size = 64 194 | apc_config.num_epoch = 100 195 | apc_config.evaluate_begin = 0 196 | apc_config.l2reg = 1e-4 197 | apc_config.log_step = 5 198 | apc_config.seed = seeds 199 | Trainer(apc_config, dataset, device).load_trained_model() 200 | # try: 201 | # shutil.rmtree('integrated_datasets') 202 | # shutil.rmtree('source_datasets.backup') 203 | # except: 204 | # pass 205 | # BoostingAugmenter = ABSCBoostAug(ROOT=os.getcwd(), BOOSTING_FOLD=4, AUGMENT_BACKEND=backend, AUGMENT_NUM_PER_CASE=16, WINNER_NUM_PER_CASE=8, device=device) 206 | # BoostingAugmenter.apc_boost_augment(apc_config, 207 | # dataset, 208 | # train_after_aug=True, 209 | # rewrite_cache=True, 210 | # ) 211 | # BoostingAugmenter.apc_classic_augment(apc_config, 212 | # dataset, 213 | # train_after_aug=True, 214 | # rewrite_cache=True, 215 | # ) 216 | # BoostingAugmenter.apc_mono_augment(apc_config, 217 | # dataset, 218 | # train_after_aug=True, 219 | # rewrite_cache=True, 220 | # ) 221 | -------------------------------------------------------------------------------- /experiment_tc/main_experiments_tc.py: -------------------------------------------------------------------------------- 1 | import os 2 | import shutil 3 | 4 | import autocuda 5 | import random 6 | import warnings 7 | 8 | from pyabsa import TCDatasetList 9 | from pyabsa import GloVeTCModelList, Trainer 10 | from pyabsa import TCConfigManager 11 | from pyabsa import BERTTCModelList 12 | 13 | from boost_aug import TCBoostAug, AugmentBackend 14 | 15 | warnings.filterwarnings('ignore') 16 | 17 | device = autocuda.auto_cuda() 18 | # seeds = [random.randint(0, 10000) for _ in range(5)] # experiment 19 | seeds = [random.randint(0, 10000) for _ in range(2)] # TEST 20 | 21 | aug_backends = [ 22 | # AugmentBackend.EDA, 23 | # AugmentBackend.SplitAug, 24 | # AugmentBackend.SpellingAug, 25 | # AugmentBackend.ContextualWordEmbsAug, 26 | # AugmentBackend.BackTranslationAug, 27 | AugmentBackend.SynonymAug 28 | ] 29 | 30 | # # -----------------------------------------------------------------------------# 31 | # # DeBERTa Experiments # 32 | # for dataset in [ 33 | # TCDatasetList.SST2, 34 | # TCDatasetList.SST5, 35 | # TCDatasetList.AGNews10K, 36 | # # TCDatasetList.IMDB10K, 37 | # # TCDatasetList.Yelp10K 38 | # ]: 39 | # for backend in aug_backends: 40 | # tc_config = TCConfigManager.get_tc_config_english() 41 | # tc_config.model = BERTTCModelList.BERT # 'BERT' model can be used for DeBERTa or BERT 42 | # tc_config.num_epoch = 15 43 | # tc_config.evaluate_begin = 0 44 | # tc_config.max_seq_len = 200 45 | # tc_config.pretrained_bert = 'microsoft/deberta-v3-base' 46 | # tc_config.log_step = -1 47 | # tc_config.dropout = 0.1 48 | # tc_config.cache_dataset = False 49 | # tc_config.seed = seeds 50 | # tc_config.l2reg = 1e-7 51 | # tc_config.learning_rate = 1e-5 52 | # 53 | # try: 54 | # shutil.rmtree('integrated_datasets') 55 | # shutil.rmtree('source_datasets.backup') 56 | # except: 57 | # pass 58 | # 59 | # BoostingAugmenter = TCBoostAug(ROOT=os.getcwd(), 60 | # AUGMENT_BACKEND=backend, 61 | # CLASSIFIER_TRAINING_NUM=2, 62 | # WINNER_NUM_PER_CASE=8, 63 | # AUGMENT_NUM_PER_CASE=16, 64 | # device=device) 65 | # BoostingAugmenter.tc_boost_augment(tc_config, 66 | # dataset, 67 | # train_after_aug=True, 68 | # rewrite_cache=True, 69 | # ) 70 | # # BoostingAugmenter.tc_classic_augment(tc_config, 71 | # # dataset, 72 | # # train_after_aug=True, 73 | # # rewrite_cache=True, 74 | # # ) 75 | # # BoostingAugmenter.tc_mono_augment(tc_config, 76 | # # dataset, 77 | # # train_after_aug=True, 78 | # # rewrite_cache=True, 79 | # # ) 80 | # 81 | # # -----------------------------------------------------------------------------# 82 | # BERT Experiments # 83 | for dataset in [ 84 | TCDatasetList.SST2, 85 | TCDatasetList.SST5, 86 | TCDatasetList.AGNews10K, 87 | ]: 88 | for backend in aug_backends: 89 | tc_config = TCConfigManager.get_tc_config_english() 90 | tc_config.model = BERTTCModelList.BERT # 'BERT' model can be used for DeBERTa or BERT 91 | tc_config.num_epoch = 15 92 | tc_config.evaluate_begin = 0 93 | tc_config.max_seq_len = 100 94 | tc_config.pretrained_bert = 'bert-base-uncased' 95 | tc_config.log_step = 100 96 | tc_config.dropout = 0.1 97 | tc_config.cache_dataset = False 98 | tc_config.seed = seeds 99 | tc_config.l2reg = 1e-7 100 | tc_config.learning_rate = 1e-5 101 | try: 102 | shutil.rmtree('integrated_datasets') 103 | shutil.rmtree('source_datasets.backup') 104 | except: 105 | pass 106 | BoostingAugmenter = TCBoostAug(ROOT=os.getcwd(), 107 | AUGMENT_BACKEND=backend, 108 | WINNER_NUM_PER_CASE=8, 109 | AUGMENT_NUM_PER_CASE=16, 110 | device=device) 111 | # Trainer(tc_config, 112 | # dataset, ) 113 | # BoostingAugmenter.tc_boost_augment(tc_config, 114 | # dataset, 115 | # train_after_aug=True, 116 | # rewrite_cache=True, 117 | # ) 118 | BoostingAugmenter.tc_classic_augment(tc_config, 119 | dataset, 120 | train_after_aug=True, 121 | rewrite_cache=True, 122 | ) 123 | # BoostingAugmenter.tc_mono_augment(tc_config, 124 | # dataset, 125 | # train_after_aug=True, 126 | # rewrite_cache=True, 127 | # ) 128 | 129 | # 130 | # # -----------------------------------------------------------------------------# 131 | # # GloVe Experiments # 132 | # # Please download glove.840B.300d.txt in current working directory # 133 | # # before run glove experiments # 134 | # # -----------------------------------------------------------------------------# 135 | # for dataset in [ 136 | # TCDatasetList.SST2, 137 | # # TCDatasetList.SST5, 138 | # TCDatasetList.AGNews10K, 139 | # TCDatasetList.Yelp10K 140 | # ]: 141 | # for backend in aug_backends: 142 | # tc_config = TCConfigManager.get_classification_config_glove() 143 | # tc_config.model = GloVeTCModelList.LSTM 144 | # tc_config.max_seq_len = 100 145 | # tc_config.dropout = 0 146 | # tc_config.optimizer = 'adam' 147 | # tc_config.cache_dataset = False 148 | # tc_config.patience = 20 149 | # tc_config.learning_rate = 0.001 150 | # tc_config.batch_size = 128 151 | # tc_config.num_epoch = 150 152 | # tc_config.evaluate_begin = 0 153 | # tc_config.l2reg = 1e-4 154 | # tc_config.log_step = 5 155 | # tc_config.seed = seeds 156 | # tc_config.cross_validate_fold = -1 # disable cross_validate 157 | # 158 | # BoostingAugmenter = TCBoostAug(ROOT=os.getcwd(), 159 | # AUGMENT_BACKEND=backend, 160 | # CLASSIFIER_TRAINING_NUM=1, 161 | # WINNER_NUM_PER_CASE=8, 162 | # AUGMENT_NUM_PER_CASE=16, 163 | # device=device) 164 | # BoostingAugmenter.tc_boost_augment(tc_config, # BOOSTAUG 165 | # dataset, 166 | # train_after_aug=True, 167 | # rewrite_cache=True, 168 | # ) 169 | # # BoostingAugmenter.tc_classic_augment(tc_config, # prototype Aug 170 | # # dataset, 171 | # # train_after_aug=True, 172 | # # rewrite_cache=True, 173 | # # ) 174 | # # BoostingAugmenter.tc_mono_augment(tc_config, # MonoAUG 175 | # # dataset, 176 | # # train_after_aug=True, 177 | # # rewrite_cache=True, 178 | # # ) 179 | -------------------------------------------------------------------------------- /setup.py: -------------------------------------------------------------------------------- 1 | # -*- coding: utf-8 -*- 2 | # file: setup.py 3 | # time: 2021/4/22 0022 4 | # author: yangheng 5 | # github: https://github.com/yangheng95 6 | # Copyright (C) 2021. All Rights Reserved. 7 | 8 | from setuptools import setup, find_packages 9 | 10 | from boost_aug import __version__, __name__ 11 | 12 | extras_require = { 13 | "full": [ 14 | # install the following requirements depend on the backend of your choice 15 | "textattack", 16 | "nlpaug", 17 | "tensorflow_text", 18 | ] 19 | } 20 | 21 | setup( 22 | name=__name__, 23 | version=__version__, 24 | description="", 25 | url="https://github.com/yangheng95/BoostAug", 26 | # Author details 27 | author="Yang Heng", 28 | author_email="hy345@exeter.ac.uk", 29 | python_requires=">=3.6", 30 | packages=find_packages(), 31 | include_package_data=True, 32 | exclude_package_date={"": [".gitignore"]}, 33 | # Choose your license 34 | license="MIT", 35 | install_requires=[ 36 | "pyabsa>=2.0.10", 37 | ], 38 | extras_require=extras_require, 39 | ) 40 | -------------------------------------------------------------------------------- /simple_augmentation_api/augment_test.py: -------------------------------------------------------------------------------- 1 | # -*- coding: utf-8 -*- 2 | # file: augment_test.py 3 | # time: 07/06/2022 4 | # author: yangheng 5 | # github: https://github.com/yangheng95 6 | # Copyright (C) 2021. All Rights Reserved. 7 | import os 8 | 9 | import autocuda 10 | from pyabsa import TextClassification as TC 11 | 12 | from boost_aug import TCBoostAug, AugmentBackend 13 | 14 | device = autocuda.auto_cuda() 15 | 16 | tc_config = TC.TCConfigManager.get_tc_config_english() 17 | tc_config.model = ( 18 | TC.BERTTCModelList.BERT 19 | ) # 'BERT' model can be used for DeBERTa or BERT 20 | tc_config.num_epoch = 15 21 | tc_config.evaluate_begin = 0 22 | tc_config.max_seq_len = 100 23 | tc_config.pretrained_bert = "microsoft/deberta-v3-base" 24 | tc_config.log_step = 100 25 | tc_config.dropout = 0.1 26 | tc_config.cache_dataset = False 27 | tc_config.seed = 1 28 | tc_config.l2reg = 1e-7 29 | tc_config.learning_rate = 1e-5 30 | 31 | # backend = AugmentBackend.EDA 32 | backend = AugmentBackend.ContextualWordEmbsAug 33 | dataset = TC.TCDatasetList.SST2 34 | 35 | BoostingAugmenter = TCBoostAug( 36 | ROOT=os.getcwd(), 37 | AUGMENT_BACKEND=backend, 38 | WINNER_NUM_PER_CASE=8, 39 | AUGMENT_NUM_PER_CASE=16, 40 | PERPLEXITY_THRESHOLD=3, 41 | device=device, 42 | ) 43 | 44 | augs = BoostingAugmenter.single_augment( 45 | "culkin exudes none of the charm or charisma that might keep a more general audience even vaguely interested in his bratty character .", 46 | 0, 47 | 3, 48 | ) 49 | print(augs) 50 | -------------------------------------------------------------------------------- /test.py: -------------------------------------------------------------------------------- 1 | import os 2 | 3 | from findfile import rm_dirs 4 | 5 | rm_dirs(os.getcwd(), or_key=["cache", ".idea"]) 6 | --------------------------------------------------------------------------------