diff --git a/MANIFEST.in b/MANIFEST.in index 4f2d1584..25b1ab7d 100644 --- a/MANIFEST.in +++ b/MANIFEST.in @@ -1,2 +1,3 @@ -include timm/models/pruned/*.txt - +include timm/models/_pruned/*.txt +include timm/data/_info/*.txt +include timm/data/_info/*.json diff --git a/inference.py b/inference.py index cfbe62d1..f19dba28 100755 --- a/inference.py +++ b/inference.py @@ -17,7 +17,7 @@ import numpy as np import pandas as pd import torch -from timm.data import create_dataset, create_loader, resolve_data_config +from timm.data import create_dataset, create_loader, resolve_data_config, ImageNetInfo, infer_imagenet_subset from timm.layers import apply_test_time_pool from timm.models import create_model from timm.utils import AverageMeter, setup_default_logging, set_jit_fuser, ParseKwargs @@ -46,6 +46,7 @@ has_compile = hasattr(torch, 'compile') _FMT_EXT = { 'json': '.json', + 'json-record': '.json', 'json-split': '.json', 'parquet': '.parquet', 'csv': '.csv', @@ -122,7 +123,7 @@ scripting_group.add_argument('--torchcompile', nargs='?', type=str, default=None scripting_group.add_argument('--aot-autograd', default=False, action='store_true', help="Enable AOT Autograd support.") -parser.add_argument('--results-dir',type=str, default=None, +parser.add_argument('--results-dir', type=str, default=None, help='folder for output results') parser.add_argument('--results-file', type=str, default=None, help='results filename (relative to results-dir)') @@ -134,14 +135,20 @@ parser.add_argument('--topk', default=1, type=int, metavar='N', help='Top-k to output to CSV') parser.add_argument('--fullname', action='store_true', default=False, help='use full sample name in output (not just basename).') -parser.add_argument('--filename-col', default='filename', +parser.add_argument('--filename-col', type=str, default='filename', help='name for filename / sample name column') -parser.add_argument('--index-col', default='index', +parser.add_argument('--index-col', type=str, default='index', help='name for output indices column(s)') -parser.add_argument('--output-col', default=None, +parser.add_argument('--label-col', type=str, default='label', + help='name for output indices column(s)') +parser.add_argument('--output-col', type=str, default=None, help='name for logit/probs output column(s)') -parser.add_argument('--output-type', default='prob', +parser.add_argument('--output-type', type=str, default='prob', help='output type colum ("prob" for probabilities, "logit" for raw logits)') +parser.add_argument('--label-type', type=str, default='description', + help='type of label to output, one of "none", "name", "description", "detailed"') +parser.add_argument('--include-index', action='store_true', default=False, + help='include the class index in results') parser.add_argument('--exclude-output', action='store_true', default=False, help='exclude logits/probs from results, just indices. topk must be set !=0.') @@ -237,10 +244,26 @@ def main(): **data_config, ) + to_label = None + if args.label_type in ('name', 'description', 'detail'): + imagenet_subset = infer_imagenet_subset(model) + if imagenet_subset is not None: + dataset_info = ImageNetInfo(imagenet_subset) + if args.label_type == 'name': + to_label = lambda x: dataset_info.index_to_label_name(x) + elif args.label_type == 'detail': + to_label = lambda x: dataset_info.index_to_description(x, detailed=True) + else: + to_label = lambda x: dataset_info.index_to_description(x) + to_label = np.vectorize(to_label) + else: + _logger.error("Cannot deduce ImageNet subset from model, no labelling will be performed.") + top_k = min(args.topk, args.num_classes) batch_time = AverageMeter() end = time.time() all_indices = [] + all_labels = [] all_outputs = [] use_probs = args.output_type == 'prob' with torch.no_grad(): @@ -254,7 +277,12 @@ def main(): if top_k: output, indices = output.topk(top_k) - all_indices.append(indices.cpu().numpy()) + np_indices = indices.cpu().numpy() + if args.include_index: + all_indices.append(np_indices) + if to_label is not None: + np_labels = to_label(np_indices) + all_labels.append(np_labels) all_outputs.append(output.cpu().numpy()) @@ -267,6 +295,7 @@ def main(): batch_idx, len(loader), batch_time=batch_time)) all_indices = np.concatenate(all_indices, axis=0) if all_indices else None + all_labels = np.concatenate(all_labels, axis=0) if all_labels else None all_outputs = np.concatenate(all_outputs, axis=0).astype(np.float32) filenames = loader.dataset.filenames(basename=not args.fullname) @@ -276,6 +305,9 @@ def main(): if all_indices is not None: for i in range(all_indices.shape[-1]): data_dict[f'{args.index_col}_{i}'] = all_indices[:, i] + if all_labels is not None: + for i in range(all_labels.shape[-1]): + data_dict[f'{args.label_col}_{i}'] = all_labels[:, i] for i in range(all_outputs.shape[-1]): data_dict[f'{output_col}_{i}'] = all_outputs[:, i] else: @@ -283,6 +315,10 @@ def main(): if all_indices.shape[-1] == 1: all_indices = all_indices.squeeze(-1) data_dict[args.index_col] = list(all_indices) + if all_labels is not None: + if all_labels.shape[-1] == 1: + all_labels = all_labels.squeeze(-1) + data_dict[args.label_col] = list(all_labels) if all_outputs.shape[-1] == 1: all_outputs = all_outputs.squeeze(-1) data_dict[output_col] = list(all_outputs) @@ -291,7 +327,7 @@ def main(): results_filename = args.results_file if results_filename: - filename_no_ext, ext = os.path.splitext(results_filename)[-1] + filename_no_ext, ext = os.path.splitext(results_filename) if ext and ext in _FMT_EXT.values(): # if filename provided with one of expected ext, # remove it as it will be added back @@ -308,7 +344,7 @@ def main(): save_results(df, results_filename, fmt) print(f'--result') - print(json.dumps(dict(filename=results_filename))) + print(df.set_index(args.filename_col).to_json(orient='index', indent=4)) def save_results(df, results_filename, results_format='csv', filename_col='filename'): @@ -316,6 +352,8 @@ def save_results(df, results_filename, results_format='csv', filename_col='filen if results_format == 'parquet': df.set_index(filename_col).to_parquet(results_filename) elif results_format == 'json': + df.set_index(filename_col).to_json(results_filename, indent=4, orient='index') + elif results_format == 'json-records': df.to_json(results_filename, lines=True, orient='records') elif results_format == 'json-split': df.to_json(results_filename, indent=4, orient='split', index=False) diff --git a/timm/data/__init__.py b/timm/data/__init__.py index 9f62a7d5..b31b3c6b 100644 --- a/timm/data/__init__.py +++ b/timm/data/__init__.py @@ -4,6 +4,8 @@ from .config import resolve_data_config, resolve_model_data_config from .constants import * from .dataset import ImageDataset, IterableImageDataset, AugMixDataset from .dataset_factory import create_dataset +from .dataset_info import DatasetInfo +from .imagenet_info import ImageNetInfo, infer_imagenet_subset from .loader import create_loader from .mixup import Mixup, FastCollateMixup from .readers import create_reader diff --git a/results/imagenet12k_synsets.txt b/timm/data/_info/imagenet12k_synsets.txt similarity index 100% rename from results/imagenet12k_synsets.txt rename to timm/data/_info/imagenet12k_synsets.txt diff --git a/results/imagenet21k_goog_synsets.txt b/timm/data/_info/imagenet21k_goog_synsets.txt similarity index 100% rename from results/imagenet21k_goog_synsets.txt rename to timm/data/_info/imagenet21k_goog_synsets.txt diff --git a/results/imagenet21k_goog_to_12k_indices.txt b/timm/data/_info/imagenet21k_goog_to_12k_indices.txt similarity index 100% rename from results/imagenet21k_goog_to_12k_indices.txt rename to timm/data/_info/imagenet21k_goog_to_12k_indices.txt diff --git a/results/imagenet21k_goog_to_22k_indices.txt b/timm/data/_info/imagenet21k_goog_to_22k_indices.txt similarity index 100% rename from results/imagenet21k_goog_to_22k_indices.txt rename to timm/data/_info/imagenet21k_goog_to_22k_indices.txt diff --git a/timm/data/_info/imagenet21k_miil_synsets.txt b/timm/data/_info/imagenet21k_miil_synsets.txt new file mode 100644 index 00000000..2fa3eedf --- /dev/null +++ b/timm/data/_info/imagenet21k_miil_synsets.txt @@ -0,0 +1,11221 @@ +n00005787 +n00006484 +n00007846 +n00015388 +n00017222 +n00021265 +n00021939 +n00120010 +n00141669 +n00288000 +n00288384 +n00324978 +n00326094 +n00433458 +n00433661 +n00433802 +n00434075 +n00439826 +n00440039 +n00440382 +n00440509 +n00440747 +n00440941 +n00441073 +n00441824 +n00442115 +n00442437 +n00442847 +n00442981 +n00443231 +n00443692 +n00443803 +n00444651 +n00444846 +n00444937 +n00445055 +n00445226 +n00445351 +n00445685 +n00445802 +n00446311 +n00446493 +n00446804 +n00446980 +n00447073 +n00447221 +n00447463 +n00447540 +n00447957 +n00448126 +n00448232 +n00448466 +n00448640 +n00448748 +n00448872 +n00448958 +n00449054 +n00449168 +n00449295 +n00449517 +n00449695 +n00449796 +n00449892 +n00449977 +n00450070 +n00450335 +n00450700 +n00450866 +n00450998 +n00451186 +n00451370 +n00451563 +n00451635 +n00452034 +n00452152 +n00452293 +n00452864 +n00453126 +n00453313 +n00453396 +n00453478 +n00453935 +n00454237 +n00454395 +n00454493 +n00454624 +n00454983 +n00455173 +n00456465 +n00463246 +n00463543 +n00464277 +n00464478 +n00464651 +n00464894 +n00466273 +n00466377 +n00466524 +n00466630 +n00466712 +n00466880 +n00467320 +n00467536 +n00467719 +n00467995 +n00468299 +n00468480 +n00469651 +n00470554 +n00470682 +n00470830 +n00470966 +n00471437 +n00471613 +n00474568 +n00474657 +n00475014 +n00475273 +n00475403 +n00475535 +n00475787 +n00476235 +n00476389 +n00477392 +n00477639 +n00478262 +n00479076 +n00479440 +n00479616 +n00479887 +n00480211 +n00480366 +n00480508 +n00480993 +n00481803 +n00482122 +n00482298 +n00483205 +n00483313 +n00483409 +n00483508 +n00483605 +n00483705 +n00483848 +n00523513 +n00825773 +n00887544 +n01055165 +n01314388 +n01314663 +n01314781 +n01315213 +n01316422 +n01317089 +n01317294 +n01317541 +n01317813 +n01317916 +n01318279 +n01318381 +n01318894 +n01319467 +n01321123 +n01321230 +n01321456 +n01321579 +n01321770 +n01321854 +n01322221 +n01322343 +n01322508 +n01322604 +n01322685 +n01322898 +n01322983 +n01323068 +n01323155 +n01323261 +n01323355 +n01323493 +n01323599 +n01324431 +n01324610 +n01326291 +n01338685 +n01339083 +n01339336 +n01339471 +n01339801 +n01340014 +n01379389 +n01381044 +n01384164 +n01392275 +n01392380 +n01395254 +n01396048 +n01397114 +n01397871 +n01402600 +n01405007 +n01407798 +n01410457 +n01415626 +n01421807 +n01424420 +n01438581 +n01439121 +n01439514 +n01440764 +n01441117 +n01442972 +n01443243 +n01443537 +n01443831 +n01444339 +n01446760 +n01447331 +n01447658 +n01448291 +n01448594 +n01448951 +n01449374 +n01449712 +n01451426 +n01453087 +n01454545 +n01455778 +n01456756 +n01457852 +n01459791 +n01462042 +n01462544 +n01464844 +n01468238 +n01468712 +n01469103 +n01471682 +n01472303 +n01477525 +n01477875 +n01482071 +n01482330 +n01483830 +n01484097 +n01484850 +n01485479 +n01486838 +n01487506 +n01488038 +n01489501 +n01489709 +n01489920 +n01490112 +n01490360 +n01490670 +n01491006 +n01491361 +n01491874 +n01492569 +n01493146 +n01494475 +n01495006 +n01495493 +n01495701 +n01496331 +n01497118 +n01498041 +n01498989 +n01499396 +n01500091 +n01500476 +n01501160 +n01503061 +n01503976 +n01504179 +n01504344 +n01514668 +n01514752 +n01514859 +n01515303 +n01517565 +n01517966 +n01518878 +n01519563 +n01519873 +n01520576 +n01521399 +n01521756 +n01524359 +n01526521 +n01527194 +n01527347 +n01527617 +n01527917 +n01528396 +n01528654 +n01528845 +n01529672 +n01530439 +n01530575 +n01531178 +n01531344 +n01531512 +n01531811 +n01531971 +n01532325 +n01532511 +n01532829 +n01533000 +n01533339 +n01533481 +n01533651 +n01533893 +n01534155 +n01534433 +n01534582 +n01535140 +n01535469 +n01535690 +n01536035 +n01536186 +n01536334 +n01536644 +n01536780 +n01537134 +n01537544 +n01537895 +n01538059 +n01538200 +n01538630 +n01538955 +n01539573 +n01539925 +n01540090 +n01540233 +n01540566 +n01540832 +n01541102 +n01541386 +n01541760 +n01541922 +n01542786 +n01543175 +n01543632 +n01544389 +n01544704 +n01545574 +n01546039 +n01546506 +n01547832 +n01548301 +n01548492 +n01548865 +n01549053 +n01549430 +n01549641 +n01549886 +n01550172 +n01551080 +n01551300 +n01551711 +n01552034 +n01552813 +n01553142 +n01554448 +n01555004 +n01555305 +n01555809 +n01556182 +n01557185 +n01557962 +n01558149 +n01558307 +n01558461 +n01558594 +n01558765 +n01558993 +n01559477 +n01559639 +n01559804 +n01560105 +n01560280 +n01560419 +n01560636 +n01560793 +n01560935 +n01561452 +n01561732 +n01562014 +n01562265 +n01562451 +n01563128 +n01563449 +n01563746 +n01563945 +n01564217 +n01564394 +n01564773 +n01564914 +n01565078 +n01565345 +n01565599 +n01565930 +n01566207 +n01566645 +n01567133 +n01567678 +n01567879 +n01568294 +n01568720 +n01568892 +n01569060 +n01569262 +n01569423 +n01569566 +n01569836 +n01569971 +n01570267 +n01570421 +n01570676 +n01570839 +n01571904 +n01572328 +n01572489 +n01572654 +n01572782 +n01573074 +n01573240 +n01573360 +n01573898 +n01574045 +n01574390 +n01574560 +n01574801 +n01575117 +n01575401 +n01575745 +n01576076 +n01576695 +n01577035 +n01577659 +n01577941 +n01578180 +n01578575 +n01579028 +n01579149 +n01579260 +n01579410 +n01579578 +n01579729 +n01580077 +n01580870 +n01581166 +n01581730 +n01581984 +n01582220 +n01582398 +n01582856 +n01583209 +n01583495 +n01583828 +n01584225 +n01584695 +n01584853 +n01585121 +n01585287 +n01585422 +n01585715 +n01586020 +n01586374 +n01586941 +n01587526 +n01587834 +n01588002 +n01588725 +n01589286 +n01589718 +n01589893 +n01591005 +n01591123 +n01591301 +n01591697 +n01592084 +n01592257 +n01592387 +n01592540 +n01592694 +n01593028 +n01594004 +n01594372 +n01594787 +n01594968 +n01595168 +n01595450 +n01595974 +n01596273 +n01596608 +n01597022 +n01597336 +n01597737 +n01597906 +n01598074 +n01598588 +n01598988 +n01599159 +n01599269 +n01599556 +n01600085 +n01600657 +n01601068 +n01601694 +n01602630 +n01602832 +n01603152 +n01603600 +n01603812 +n01603953 +n01604330 +n01604968 +n01605630 +n01606522 +n01606672 +n01606809 +n01607600 +n01607812 +n01607962 +n01608265 +n01608432 +n01608814 +n01609062 +n01609391 +n01609751 +n01609956 +n01610100 +n01610226 +n01610552 +n01610955 +n01611472 +n01611800 +n01611969 +n01612122 +n01612275 +n01612476 +n01612628 +n01613177 +n01613294 +n01613615 +n01613807 +n01614038 +n01614343 +n01614556 +n01614925 +n01615121 +n01615303 +n01615458 +n01615703 +n01616086 +n01616318 +n01617095 +n01617443 +n01617766 +n01618082 +n01618503 +n01619310 +n01619536 +n01619835 +n01620135 +n01620414 +n01620735 +n01621127 +n01621635 +n01622120 +n01622352 +n01622483 +n01622779 +n01622959 +n01623110 +n01623425 +n01623615 +n01623706 +n01623880 +n01624115 +n01624537 +n01624833 +n01625562 +n01627424 +n01628770 +n01629276 +n01629819 +n01629962 +n01630284 +n01630670 +n01630901 +n01631354 +n01631663 +n01632458 +n01632601 +n01632777 +n01633406 +n01633781 +n01635027 +n01636352 +n01636829 +n01637615 +n01639765 +n01640846 +n01641206 +n01641391 +n01641577 +n01641739 +n01642257 +n01642539 +n01643507 +n01643896 +n01644373 +n01644900 +n01645776 +n01646292 +n01646388 +n01646555 +n01646648 +n01646802 +n01646902 +n01647303 +n01647640 +n01648139 +n01648620 +n01649170 +n01650167 +n01650690 +n01651059 +n01652026 +n01654637 +n01661091 +n01662622 +n01662784 +n01663401 +n01663782 +n01664065 +n01664369 +n01664492 +n01664674 +n01664990 +n01665541 +n01665932 +n01666228 +n01666585 +n01667114 +n01667432 +n01667778 +n01668091 +n01668436 +n01668665 +n01668892 +n01669191 +n01669372 +n01669654 +n01670092 +n01670535 +n01670802 +n01671125 +n01671479 +n01672032 +n01673282 +n01674464 +n01674990 +n01675722 +n01677366 +n01677747 +n01678043 +n01678343 +n01679307 +n01679626 +n01679962 +n01680264 +n01680478 +n01680655 +n01680813 +n01681328 +n01681653 +n01681940 +n01682172 +n01682435 +n01682714 +n01683558 +n01684133 +n01684578 +n01685808 +n01687665 +n01687978 +n01688243 +n01689081 +n01689811 +n01690149 +n01691217 +n01692333 +n01692523 +n01693175 +n01693334 +n01693783 +n01694178 +n01694709 +n01694955 +n01695060 +n01696633 +n01697178 +n01697457 +n01697611 +n01698434 +n01698640 +n01698782 +n01699040 +n01699675 +n01701859 +n01704323 +n01713764 +n01726692 +n01727646 +n01728572 +n01728920 +n01729322 +n01729977 +n01730185 +n01730307 +n01730563 +n01730812 +n01730960 +n01731545 +n01731941 +n01732244 +n01732614 +n01732789 +n01733466 +n01733757 +n01733957 +n01734104 +n01734418 +n01734637 +n01734808 +n01735189 +n01735439 +n01735577 +n01737021 +n01737472 +n01737728 +n01737875 +n01738065 +n01738601 +n01739381 +n01740131 +n01740551 +n01741232 +n01741562 +n01741943 +n01742172 +n01742821 +n01743086 +n01743605 +n01743936 +n01744100 +n01744270 +n01744401 +n01745125 +n01745484 +n01745902 +n01746359 +n01747589 +n01747885 +n01748264 +n01748686 +n01748906 +n01749244 +n01749582 +n01749742 +n01749939 +n01750167 +n01750437 +n01751036 +n01751472 +n01751748 +n01752165 +n01752585 +n01752736 +n01753032 +n01753180 +n01753488 +n01753959 +n01754370 +n01754533 +n01754876 +n01755581 +n01755740 +n01756089 +n01756291 +n01756508 +n01756733 +n01757115 +n01757343 +n01757677 +n01757901 +n01758141 +n01758757 +n01768244 +n01769347 +n01770081 +n01770393 +n01770795 +n01771417 +n01772222 +n01772664 +n01773157 +n01773549 +n01773797 +n01774384 +n01774750 +n01775062 +n01775370 +n01776313 +n01777304 +n01778217 +n01779148 +n01779629 +n01782209 +n01782516 +n01784675 +n01785667 +n01786646 +n01787835 +n01789740 +n01790711 +n01791107 +n01791463 +n01791625 +n01791954 +n01792042 +n01792158 +n01792429 +n01792640 +n01792955 +n01793249 +n01793435 +n01793715 +n01794158 +n01794344 +n01794651 +n01795088 +n01795545 +n01795735 +n01796340 +n01796519 +n01796729 +n01797020 +n01797307 +n01797601 +n01797886 +n01798168 +n01798484 +n01798706 +n01798839 +n01800424 +n01801876 +n01803078 +n01803362 +n01804163 +n01804478 +n01804653 +n01805801 +n01806143 +n01806297 +n01806364 +n01806467 +n01806567 +n01806847 +n01807105 +n01807496 +n01807828 +n01808140 +n01809106 +n01809371 +n01809752 +n01810268 +n01811909 +n01812337 +n01812662 +n01812866 +n01813088 +n01813385 +n01813532 +n01813948 +n01814217 +n01814370 +n01814755 +n01814921 +n01815601 +n01816887 +n01817263 +n01817346 +n01817953 +n01818299 +n01818515 +n01818832 +n01819115 +n01819313 +n01819465 +n01819734 +n01820052 +n01820348 +n01820546 +n01821076 +n01821203 +n01821869 +n01822300 +n01823013 +n01823414 +n01824035 +n01824575 +n01825278 +n01826364 +n01826680 +n01827403 +n01827793 +n01828096 +n01828556 +n01828970 +n01829413 +n01829869 +n01830042 +n01830915 +n01832167 +n01832493 +n01833805 +n01834177 +n01834540 +n01835276 +n01837072 +n01838598 +n01839086 +n01839330 +n01839598 +n01839750 +n01840120 +n01840775 +n01841102 +n01841288 +n01841441 +n01841679 +n01842235 +n01842504 +n01843065 +n01843383 +n01843719 +n01844231 +n01844551 +n01844917 +n01845132 +n01846331 +n01847000 +n01847089 +n01847170 +n01847253 +n01847407 +n01847806 +n01847978 +n01848123 +n01848323 +n01848453 +n01848555 +n01848648 +n01848840 +n01848976 +n01849157 +n01849466 +n01849676 +n01849863 +n01850192 +n01850373 +n01850553 +n01850873 +n01851038 +n01851207 +n01851375 +n01851573 +n01851731 +n01851895 +n01852142 +n01852329 +n01852400 +n01852671 +n01852861 +n01853195 +n01853498 +n01853666 +n01853870 +n01854415 +n01854700 +n01854838 +n01855032 +n01855188 +n01855476 +n01855672 +n01856072 +n01856155 +n01856380 +n01856553 +n01856890 +n01857079 +n01857325 +n01857512 +n01857632 +n01857851 +n01858281 +n01858441 +n01858780 +n01858845 +n01858906 +n01859190 +n01859325 +n01859496 +n01859689 +n01859852 +n01860002 +n01860187 +n01861778 +n01862399 +n01871265 +n01872401 +n01872772 +n01873310 +n01874434 +n01874928 +n01875313 +n01876034 +n01877134 +n01877606 +n01877812 +n01878929 +n01879217 +n01879509 +n01881171 +n01882714 +n01883070 +n01884834 +n01885498 +n01886756 +n01887474 +n01887623 +n01887787 +n01887896 +n01888045 +n01888181 +n01888264 +n01888411 +n01889520 +n01891633 +n01893825 +n01896844 +n01897536 +n01899894 +n01900150 +n01903346 +n01904029 +n01904806 +n01904886 +n01905661 +n01906749 +n01909906 +n01910747 +n01913166 +n01914609 +n01914830 +n01915700 +n01915811 +n01916187 +n01916388 +n01916481 +n01916925 +n01917289 +n01917611 +n01917882 +n01918744 +n01922303 +n01923025 +n01924916 +n01930112 +n01934440 +n01935395 +n01937909 +n01938454 +n01940736 +n01942869 +n01943087 +n01943899 +n01944118 +n01944390 +n01944812 +n01944955 +n01945143 +n01945685 +n01946630 +n01947396 +n01948573 +n01949085 +n01950731 +n01951274 +n01951613 +n01953361 +n01953594 +n01953762 +n01955084 +n01955933 +n01956344 +n01956481 +n01956764 +n01957335 +n01958038 +n01958346 +n01958531 +n01959492 +n01959985 +n01960177 +n01960459 +n01961985 +n01963317 +n01963571 +n01964049 +n01964271 +n01964441 +n01965529 +n01965889 +n01968897 +n01970164 +n01970667 +n01971280 +n01972541 +n01974773 +n01976146 +n01976868 +n01976957 +n01978287 +n01978455 +n01979874 +n01980166 +n01981276 +n01982068 +n01982347 +n01982650 +n01983481 +n01984245 +n01984695 +n01985128 +n01986214 +n01986806 +n01987545 +n01990007 +n01990800 +n01991028 +n01991520 +n01992773 +n01994910 +n01998183 +n01998741 +n01999186 +n02000954 +n02002075 +n02002556 +n02002724 +n02003037 +n02003204 +n02003577 +n02003839 +n02004131 +n02004492 +n02004855 +n02005399 +n02005790 +n02006063 +n02006364 +n02006656 +n02006985 +n02007284 +n02007558 +n02008041 +n02008497 +n02008643 +n02008796 +n02009229 +n02009380 +n02009508 +n02009750 +n02009912 +n02010272 +n02010453 +n02010728 +n02011016 +n02011281 +n02011460 +n02011805 +n02011943 +n02012185 +n02012849 +n02013177 +n02013567 +n02013706 +n02014237 +n02014524 +n02014941 +n02015357 +n02015554 +n02016066 +n02016358 +n02016659 +n02016816 +n02016956 +n02017213 +n02017475 +n02017725 +n02018027 +n02018207 +n02018368 +n02018795 +n02019190 +n02019929 +n02021050 +n02021795 +n02022684 +n02023341 +n02023855 +n02023992 +n02024185 +n02024479 +n02024763 +n02025043 +n02025239 +n02025389 +n02026059 +n02026629 +n02026948 +n02027075 +n02027357 +n02027492 +n02027897 +n02028035 +n02028175 +n02028342 +n02028451 +n02028727 +n02028900 +n02029087 +n02029378 +n02029706 +n02030035 +n02030287 +n02030837 +n02030996 +n02031585 +n02031934 +n02032222 +n02032355 +n02032480 +n02033041 +n02033208 +n02033561 +n02033779 +n02034129 +n02034295 +n02034661 +n02034971 +n02035210 +n02036053 +n02036711 +n02037110 +n02037464 +n02037869 +n02038466 +n02038993 +n02040266 +n02041085 +n02041246 +n02041678 +n02041875 +n02042046 +n02042180 +n02042472 +n02042759 +n02043063 +n02043333 +n02043808 +n02044178 +n02044517 +n02044778 +n02044908 +n02045369 +n02045596 +n02045864 +n02046171 +n02046759 +n02046939 +n02047045 +n02047260 +n02047411 +n02047517 +n02047614 +n02047975 +n02048115 +n02048353 +n02049088 +n02050004 +n02050313 +n02050442 +n02050586 +n02050809 +n02051059 +n02051845 +n02052204 +n02052365 +n02052775 +n02053083 +n02053425 +n02053584 +n02054036 +n02054502 +n02054711 +n02055107 +n02055658 +n02055803 +n02056228 +n02056570 +n02056728 +n02057035 +n02057330 +n02057731 +n02058221 +n02058594 +n02059162 +n02060133 +n02060411 +n02060889 +n02062017 +n02062430 +n02062744 +n02063224 +n02063662 +n02064338 +n02064816 +n02065026 +n02065407 +n02066245 +n02066707 +n02067240 +n02068541 +n02068974 +n02069412 +n02069701 +n02069974 +n02070174 +n02070430 +n02071294 +n02071636 +n02072798 +n02073831 +n02074367 +n02075296 +n02075612 +n02075927 +n02076196 +n02076402 +n02076779 +n02077152 +n02077384 +n02077658 +n02077787 +n02077923 +n02078292 +n02078574 +n02078738 +n02079005 +n02079389 +n02079851 +n02080146 +n02080415 +n02081571 +n02081798 +n02082791 +n02083346 +n02083672 +n02084071 +n02084732 +n02084861 +n02085272 +n02085374 +n02085620 +n02085936 +n02086079 +n02086240 +n02086646 +n02086753 +n02086910 +n02087046 +n02087122 +n02087394 +n02087551 +n02088094 +n02088238 +n02088364 +n02088466 +n02088632 +n02088839 +n02089232 +n02089468 +n02089555 +n02090379 +n02090475 +n02090622 +n02090721 +n02090827 +n02091032 +n02091134 +n02091244 +n02091467 +n02091831 +n02092002 +n02092339 +n02092468 +n02093056 +n02093256 +n02093428 +n02093647 +n02093754 +n02093859 +n02093991 +n02094114 +n02094258 +n02094433 +n02094562 +n02094721 +n02094931 +n02095050 +n02095314 +n02095412 +n02095570 +n02095727 +n02095889 +n02096051 +n02096177 +n02096294 +n02096437 +n02096585 +n02096756 +n02097047 +n02097130 +n02097209 +n02097298 +n02097474 +n02097658 +n02097786 +n02098105 +n02098286 +n02098413 +n02098550 +n02098806 +n02098906 +n02099029 +n02099267 +n02099429 +n02099601 +n02099712 +n02099849 +n02099997 +n02100236 +n02100399 +n02100583 +n02100735 +n02100877 +n02101006 +n02101108 +n02101388 +n02101556 +n02101861 +n02102040 +n02102177 +n02102318 +n02102480 +n02102605 +n02102973 +n02103406 +n02103841 +n02104029 +n02104280 +n02104365 +n02104523 +n02104882 +n02105056 +n02105162 +n02105251 +n02105412 +n02105505 +n02105641 +n02105855 +n02106030 +n02106166 +n02106382 +n02106550 +n02106662 +n02106854 +n02106966 +n02107142 +n02107312 +n02107420 +n02107574 +n02107683 +n02107908 +n02108089 +n02108254 +n02108422 +n02108551 +n02108672 +n02108915 +n02109047 +n02109525 +n02109811 +n02109961 +n02110063 +n02110185 +n02110341 +n02110627 +n02110806 +n02110958 +n02111129 +n02111277 +n02111500 +n02111626 +n02111889 +n02112018 +n02112137 +n02112350 +n02112497 +n02112826 +n02113023 +n02113186 +n02113335 +n02113624 +n02113712 +n02113799 +n02114100 +n02114367 +n02114548 +n02114712 +n02114855 +n02115096 +n02115335 +n02115641 +n02115913 +n02116738 +n02117135 +n02117512 +n02117900 +n02118333 +n02119022 +n02119477 +n02119634 +n02119789 +n02120079 +n02120505 +n02120997 +n02121620 +n02121808 +n02122298 +n02122430 +n02122510 +n02122580 +n02122725 +n02122878 +n02122948 +n02123045 +n02123159 +n02123242 +n02123394 +n02123478 +n02123597 +n02123917 +n02124075 +n02124313 +n02124484 +n02124623 +n02125010 +n02125081 +n02125311 +n02125494 +n02126028 +n02126139 +n02126640 +n02126787 +n02127052 +n02127292 +n02127381 +n02127482 +n02127586 +n02127678 +n02127808 +n02128385 +n02128669 +n02128757 +n02128925 +n02129165 +n02129463 +n02129604 +n02129837 +n02129923 +n02129991 +n02130308 +n02131653 +n02132136 +n02132466 +n02132580 +n02132788 +n02133161 +n02133704 +n02134084 +n02134418 +n02135220 +n02136103 +n02137015 +n02137549 +n02138441 +n02138647 +n02138777 +n02139199 +n02139671 +n02140049 +n02146371 +n02146700 +n02147173 +n02147591 +n02147947 +n02150482 +n02152740 +n02152881 +n02153109 +n02156871 +n02157206 +n02159955 +n02160947 +n02161338 +n02161457 +n02162561 +n02163297 +n02164464 +n02165105 +n02165456 +n02165877 +n02166567 +n02166826 +n02167151 +n02167820 +n02168245 +n02168699 +n02169023 +n02169497 +n02169705 +n02169974 +n02172182 +n02172518 +n02172870 +n02173113 +n02173373 +n02174001 +n02174659 +n02175014 +n02175569 +n02175916 +n02176261 +n02176439 +n02177972 +n02180875 +n02181724 +n02183096 +n02184473 +n02188699 +n02190166 +n02190790 +n02191773 +n02191979 +n02192252 +n02192513 +n02195526 +n02195819 +n02196119 +n02196344 +n02197689 +n02198859 +n02200198 +n02200509 +n02200850 +n02201000 +n02202006 +n02203152 +n02204907 +n02205219 +n02205673 +n02206856 +n02207179 +n02207345 +n02207805 +n02208280 +n02208498 +n02208848 +n02209354 +n02209624 +n02210427 +n02211444 +n02211627 +n02212062 +n02212958 +n02213107 +n02213239 +n02213543 +n02213663 +n02213788 +n02214341 +n02214773 +n02215770 +n02216211 +n02216365 +n02218371 +n02219486 +n02220518 +n02220804 +n02221083 +n02221414 +n02222035 +n02226429 +n02226821 +n02226970 +n02227247 +n02228341 +n02229156 +n02229544 +n02229765 +n02231052 +n02231487 +n02233338 +n02233943 +n02234355 +n02234848 +n02236044 +n02236241 +n02236355 +n02236896 +n02239774 +n02240068 +n02240517 +n02241426 +n02242137 +n02243562 +n02244797 +n02246628 +n02250822 +n02251775 +n02252226 +n02254697 +n02256656 +n02257284 +n02257985 +n02258198 +n02259212 +n02262449 +n02262803 +n02264232 +n02264363 +n02264885 +n02266050 +n02266864 +n02268148 +n02268443 +n02268853 +n02270623 +n02272871 +n02273392 +n02274024 +n02274259 +n02274822 +n02275560 +n02275773 +n02276078 +n02276258 +n02276355 +n02276749 +n02276902 +n02277094 +n02277268 +n02277742 +n02278024 +n02278210 +n02278839 +n02278980 +n02279257 +n02279637 +n02279972 +n02280649 +n02281015 +n02281136 +n02281406 +n02281787 +n02282257 +n02282385 +n02282553 +n02282903 +n02283077 +n02283201 +n02283951 +n02284611 +n02284884 +n02285801 +n02286089 +n02287004 +n02288268 +n02288789 +n02291748 +n02292692 +n02295064 +n02295390 +n02297442 +n02298218 +n02298541 +n02299157 +n02299505 +n02299846 +n02300797 +n02301935 +n02302244 +n02302620 +n02302969 +n02303284 +n02304036 +n02304432 +n02305085 +n02305929 +n02307325 +n02307681 +n02308139 +n02308471 +n02308735 +n02309242 +n02309337 +n02310334 +n02310585 +n02310717 +n02310941 +n02311060 +n02311617 +n02312006 +n02312427 +n02312640 +n02313008 +n02316707 +n02317335 +n02317781 +n02318167 +n02319095 +n02319308 +n02319555 +n02321170 +n02321529 +n02323449 +n02324045 +n02324431 +n02324514 +n02324587 +n02324850 +n02325366 +n02325722 +n02326432 +n02326862 +n02327028 +n02327656 +n02327842 +n02328150 +n02328429 +n02329401 +n02330245 +n02331046 +n02332156 +n02332755 +n02333546 +n02333909 +n02334201 +n02337001 +n02338145 +n02339376 +n02341475 +n02341974 +n02342885 +n02343320 +n02343772 +n02346627 +n02348173 +n02350105 +n02352591 +n02353861 +n02355227 +n02355477 +n02356381 +n02356612 +n02356798 +n02356977 +n02357111 +n02357401 +n02357585 +n02357911 +n02358091 +n02358390 +n02358584 +n02358890 +n02359047 +n02359324 +n02359556 +n02359915 +n02360282 +n02361337 +n02361587 +n02361706 +n02363005 +n02363351 +n02364520 +n02364673 +n02364840 +n02365480 +n02366959 +n02367492 +n02370806 +n02372584 +n02372952 +n02373336 +n02374149 +n02374451 +n02375302 +n02376542 +n02376679 +n02376791 +n02376918 +n02377063 +n02377181 +n02377291 +n02377388 +n02377480 +n02377603 +n02377703 +n02378541 +n02378969 +n02379081 +n02379183 +n02379329 +n02379430 +n02379630 +n02379908 +n02380052 +n02380335 +n02380464 +n02380583 +n02380745 +n02380875 +n02381004 +n02381261 +n02381364 +n02381460 +n02381609 +n02381831 +n02382039 +n02382132 +n02382204 +n02382338 +n02382437 +n02382635 +n02382750 +n02382850 +n02382948 +n02383231 +n02385214 +n02386014 +n02386141 +n02386224 +n02386310 +n02386496 +n02386853 +n02386968 +n02387093 +n02387254 +n02387346 +n02387722 +n02387887 +n02388143 +n02388276 +n02388735 +n02388832 +n02388917 +n02389026 +n02389128 +n02389261 +n02389346 +n02389559 +n02389779 +n02390015 +n02390101 +n02390640 +n02391049 +n02391234 +n02391373 +n02391508 +n02391994 +n02392434 +n02392824 +n02393161 +n02393580 +n02393807 +n02393940 +n02394477 +n02395003 +n02395406 +n02395694 +n02396014 +n02396088 +n02396427 +n02397096 +n02397529 +n02397744 +n02398521 +n02399000 +n02402010 +n02402175 +n02402425 +n02403003 +n02403231 +n02403325 +n02403454 +n02403740 +n02403920 +n02404186 +n02404432 +n02404573 +n02404906 +n02405101 +n02405302 +n02405799 +n02405929 +n02406174 +n02406533 +n02406647 +n02406749 +n02407071 +n02407276 +n02407390 +n02407625 +n02407959 +n02408429 +n02408817 +n02409508 +n02410011 +n02410509 +n02410702 +n02410900 +n02411206 +n02411705 +n02411999 +n02412080 +n02412210 +n02412440 +n02412629 +n02413050 +n02413131 +n02413593 +n02414209 +n02414290 +n02414578 +n02414763 +n02415253 +n02415435 +n02415577 +n02415829 +n02416104 +n02416519 +n02416820 +n02416880 +n02416964 +n02417070 +n02417387 +n02417534 +n02417663 +n02417914 +n02418465 +n02419336 +n02419634 +n02419796 +n02420509 +n02420828 +n02421136 +n02421449 +n02421792 +n02422106 +n02422391 +n02422699 +n02423022 +n02423218 +n02423589 +n02424085 +n02424305 +n02424486 +n02424909 +n02425228 +n02425887 +n02426481 +n02426813 +n02427032 +n02427470 +n02427576 +n02427724 +n02428349 +n02428508 +n02429456 +n02430045 +n02430559 +n02430830 +n02431122 +n02431337 +n02431628 +n02431785 +n02431976 +n02432291 +n02432511 +n02432704 +n02432983 +n02433318 +n02433546 +n02433925 +n02434190 +n02434954 +n02437136 +n02437312 +n02437482 +n02437616 +n02438173 +n02438272 +n02438580 +n02439033 +n02439398 +n02441942 +n02442845 +n02443015 +n02443114 +n02443346 +n02443484 +n02444819 +n02445004 +n02445171 +n02445394 +n02445715 +n02446206 +n02447366 +n02447762 +n02448060 +n02449350 +n02450295 +n02453108 +n02454379 +n02454794 +n02456962 +n02457408 +n02457945 +n02458135 +n02460009 +n02460451 +n02461128 +n02461830 +n02469248 +n02469472 +n02469914 +n02470238 +n02470325 +n02472293 +n02472987 +n02473307 +n02474777 +n02475078 +n02475669 +n02480153 +n02480495 +n02480855 +n02481103 +n02481235 +n02481366 +n02481500 +n02481823 +n02482286 +n02482474 +n02482650 +n02483362 +n02483708 +n02484322 +n02484975 +n02485536 +n02486261 +n02486410 +n02486657 +n02486908 +n02487347 +n02487547 +n02487847 +n02488291 +n02488415 +n02488702 +n02489166 +n02490219 +n02490811 +n02491107 +n02492035 +n02492660 +n02493509 +n02493793 +n02494079 +n02496913 +n02497673 +n02499022 +n02499316 +n02499808 +n02500267 +n02501583 +n02503517 +n02504013 +n02504458 +n02508021 +n02508213 +n02508742 +n02509197 +n02509515 +n02509815 +n02510455 +n02512053 +n02512830 +n02512938 +n02514041 +n02516188 +n02517442 +n02518324 +n02519148 +n02519686 +n02519862 +n02520147 +n02522399 +n02523427 +n02524202 +n02525382 +n02526121 +n02527057 +n02527271 +n02527622 +n02530421 +n02530999 +n02532028 +n02532602 +n02533209 +n02533834 +n02534734 +n02535258 +n02535537 +n02535759 +n02536165 +n02536456 +n02536864 +n02537085 +n02537319 +n02537525 +n02537716 +n02538010 +n02538216 +n02541687 +n02542432 +n02543565 +n02548247 +n02549248 +n02549989 +n02555863 +n02556846 +n02557182 +n02557318 +n02557591 +n02557749 +n02560110 +n02561108 +n02561381 +n02561514 +n02561661 +n02562315 +n02562796 +n02563182 +n02563648 +n02563792 +n02564270 +n02564720 +n02565072 +n02565324 +n02565573 +n02568087 +n02568959 +n02569484 +n02570164 +n02570838 +n02572196 +n02572484 +n02573704 +n02574271 +n02576575 +n02576906 +n02577403 +n02578771 +n02578928 +n02579303 +n02579928 +n02580336 +n02580679 +n02580830 +n02581957 +n02583890 +n02584145 +n02584449 +n02585872 +n02586543 +n02588286 +n02589623 +n02590094 +n02590702 +n02592055 +n02593019 +n02595702 +n02596067 +n02596381 +n02597608 +n02598573 +n02598878 +n02599052 +n02599347 +n02599557 +n02601344 +n02603317 +n02603540 +n02605316 +n02605703 +n02605936 +n02606052 +n02606384 +n02607072 +n02607201 +n02607470 +n02607862 +n02610066 +n02610664 +n02611561 +n02613181 +n02616851 +n02618827 +n02619165 +n02619550 +n02620167 +n02624167 +n02624807 +n02625258 +n02625612 +n02625851 +n02626265 +n02626762 +n02627292 +n02627532 +n02628062 +n02629230 +n02630281 +n02630615 +n02630739 +n02631041 +n02631330 +n02631475 +n02639087 +n02639605 +n02640242 +n02640626 +n02640857 +n02641379 +n02643112 +n02643566 +n02643836 +n02644113 +n02649546 +n02650050 +n02652132 +n02653145 +n02653497 +n02654112 +n02654425 +n02654745 +n02655020 +n02655848 +n02656032 +n02656670 +n02657368 +n02657694 +n02658531 +n02660208 +n02660640 +n02663211 +n02666196 +n02666501 +n02666624 +n02666943 +n02667093 +n02667244 +n02667379 +n02667478 +n02667576 +n02669295 +n02669534 +n02669723 +n02670186 +n02670382 +n02670683 +n02672371 +n02672831 +n02675219 +n02676566 +n02676938 +n02678897 +n02679257 +n02680110 +n02680512 +n02680754 +n02681392 +n02682569 +n02682922 +n02683323 +n02683454 +n02683558 +n02683791 +n02685082 +n02686121 +n02686227 +n02686379 +n02686568 +n02687172 +n02687423 +n02687821 +n02687992 +n02688273 +n02688443 +n02689144 +n02689274 +n02689434 +n02689748 +n02690373 +n02691156 +n02692086 +n02692232 +n02692877 +n02693246 +n02694045 +n02694426 +n02694662 +n02695627 +n02696165 +n02697221 +n02697675 +n02698634 +n02699494 +n02699629 +n02699770 +n02699915 +n02700064 +n02700258 +n02700895 +n02701002 +n02702989 +n02703275 +n02704645 +n02704792 +n02704949 +n02705201 +n02705429 +n02705944 +n02708093 +n02708433 +n02708555 +n02708711 +n02709101 +n02709367 +n02709637 +n02709908 +n02710044 +n02710201 +n02710324 +n02710429 +n02710600 +n02713003 +n02713364 +n02714751 +n02715229 +n02715513 +n02715712 +n02720048 +n02723165 +n02725872 +n02726017 +n02726305 +n02726681 +n02727016 +n02727141 +n02727426 +n02728440 +n02729837 +n02729965 +n02730930 +n02731398 +n02731629 +n02731900 +n02732072 +n02732572 +n02732827 +n02733213 +n02733524 +n02734725 +n02735361 +n02735538 +n02735688 +n02736798 +n02737660 +n02738031 +n02738535 +n02738741 +n02738859 +n02739427 +n02739550 +n02739668 +n02739889 +n02740300 +n02740533 +n02740764 +n02741475 +n02742322 +n02742468 +n02742753 +n02744323 +n02744844 +n02745611 +n02746365 +n02747177 +n02747672 +n02747802 +n02749479 +n02749953 +n02750070 +n02750169 +n02751215 +n02751295 +n02752496 +n02752615 +n02752810 +n02753044 +n02753394 +n02754103 +n02754656 +n02755140 +n02755529 +n02755823 +n02756098 +n02756977 +n02757061 +n02757337 +n02757462 +n02757714 +n02757810 +n02758134 +n02758863 +n02758960 +n02759257 +n02759387 +n02759963 +n02760099 +n02760199 +n02760429 +n02760658 +n02760855 +n02761206 +n02761392 +n02761557 +n02761696 +n02761834 +n02762371 +n02762508 +n02763306 +n02763604 +n02763901 +n02764044 +n02764398 +n02764505 +n02764779 +n02764935 +n02766320 +n02766534 +n02766792 +n02767038 +n02767147 +n02767433 +n02767665 +n02767956 +n02768114 +n02768226 +n02768655 +n02768973 +n02769075 +n02769290 +n02769669 +n02769748 +n02769963 +n02770211 +n02770721 +n02770830 +n02771004 +n02771166 +n02771286 +n02771750 +n02772101 +n02772435 +n02772700 +n02773037 +n02773838 +n02774152 +n02774630 +n02774921 +n02775039 +n02775178 +n02775483 +n02775897 +n02776205 +n02776631 +n02776825 +n02776978 +n02777100 +n02777292 +n02777734 +n02778294 +n02778456 +n02778669 +n02779435 +n02780704 +n02780815 +n02781121 +n02781338 +n02782093 +n02782602 +n02782681 +n02782778 +n02783161 +n02783324 +n02783459 +n02783900 +n02783994 +n02784124 +n02785648 +n02786058 +n02786198 +n02786331 +n02786736 +n02786837 +n02787435 +n02787622 +n02788021 +n02788148 +n02788572 +n02789487 +n02790669 +n02790823 +n02790996 +n02791124 +n02791270 +n02792409 +n02792552 +n02793089 +n02793199 +n02793495 +n02793842 +n02794156 +n02794664 +n02795169 +n02795528 +n02795670 +n02796207 +n02796318 +n02796995 +n02797295 +n02797535 +n02797692 +n02799071 +n02799175 +n02799323 +n02799897 +n02800213 +n02800497 +n02800675 +n02801184 +n02801450 +n02801525 +n02801823 +n02801938 +n02802215 +n02802426 +n02802544 +n02802721 +n02802990 +n02803349 +n02803539 +n02803666 +n02803934 +n02804123 +n02804252 +n02804414 +n02804515 +n02804610 +n02805983 +n02806088 +n02806379 +n02806530 +n02807133 +n02807523 +n02807616 +n02807731 +n02808185 +n02808304 +n02808440 +n02809105 +n02810471 +n02810782 +n02811059 +n02811204 +n02811350 +n02811468 +n02811618 +n02811719 +n02811936 +n02812201 +n02812949 +n02813252 +n02813399 +n02813544 +n02813645 +n02813752 +n02814428 +n02814533 +n02814774 +n02814860 +n02815749 +n02815834 +n02815950 +n02816656 +n02816768 +n02817031 +n02817516 +n02818135 +n02818832 +n02820210 +n02820556 +n02820675 +n02821202 +n02821627 +n02821943 +n02822064 +n02822220 +n02822579 +n02823124 +n02823335 +n02823428 +n02823510 +n02823586 +n02823750 +n02823848 +n02823964 +n02824058 +n02824319 +n02824448 +n02825153 +n02825442 +n02825657 +n02825961 +n02826068 +n02826589 +n02826886 +n02827606 +n02828299 +n02828427 +n02828884 +n02829596 +n02831237 +n02831335 +n02831595 +n02831724 +n02831894 +n02833793 +n02834397 +n02834778 +n02835271 +n02835412 +n02835724 +n02835829 +n02835915 +n02836035 +n02836174 +n02836392 +n02837789 +n02837887 +n02838345 +n02838728 +n02839110 +n02839351 +n02839592 +n02839910 +n02840134 +n02840245 +n02840619 +n02841187 +n02841315 +n02841506 +n02842573 +n02843029 +n02843158 +n02843276 +n02843553 +n02843684 +n02844307 +n02846141 +n02846511 +n02846733 +n02847631 +n02847852 +n02848216 +n02848523 +n02849154 +n02849885 +n02850732 +n02850950 +n02851099 +n02851939 +n02852043 +n02852173 +n02852360 +n02853016 +n02854532 +n02854739 +n02854926 +n02855089 +n02855390 +n02855701 +n02855925 +n02856237 +n02857477 +n02857644 +n02858304 +n02859184 +n02859343 +n02859443 +n02859955 +n02860415 +n02860640 +n02860847 +n02861022 +n02861147 +n02861387 +n02861886 +n02862048 +n02862916 +n02863014 +n02863426 +n02863536 +n02863750 +n02864504 +n02864593 +n02865351 +n02865665 +n02865931 +n02866386 +n02867715 +n02867966 +n02868638 +n02868975 +n02869155 +n02869249 +n02869737 +n02869837 +n02870526 +n02870676 +n02870880 +n02871005 +n02871147 +n02871314 +n02871439 +n02871525 +n02871824 +n02871963 +n02872333 +n02872529 +n02872752 +n02873520 +n02873733 +n02873839 +n02874086 +n02874442 +n02874537 +n02876084 +n02876326 +n02876657 +n02877266 +n02877765 +n02877962 +n02878222 +n02878425 +n02879087 +n02879309 +n02879718 +n02880189 +n02880393 +n02880546 +n02880842 +n02880940 +n02881193 +n02881757 +n02881906 +n02882190 +n02882301 +n02882647 +n02882894 +n02883004 +n02883205 +n02883344 +n02884994 +n02885108 +n02885338 +n02885462 +n02885882 +n02886321 +n02886434 +n02887079 +n02887209 +n02887489 +n02887970 +n02888270 +n02889425 +n02889646 +n02890188 +n02890351 +n02890513 +n02890662 +n02890940 +n02891188 +n02891788 +n02892201 +n02892304 +n02892499 +n02892767 +n02892948 +n02893608 +n02893692 +n02893941 +n02894158 +n02894337 +n02894605 +n02895154 +n02895438 +n02896442 +n02897097 +n02897820 +n02898269 +n02898369 +n02898585 +n02898711 +n02899439 +n02900160 +n02900705 +n02901114 +n02901259 +n02901377 +n02901793 +n02902079 +n02902687 +n02902916 +n02903126 +n02903204 +n02903852 +n02904233 +n02904640 +n02904803 +n02904927 +n02905036 +n02905152 +n02906734 +n02907082 +n02907391 +n02907656 +n02907873 +n02908217 +n02908773 +n02909285 +n02909870 +n02910145 +n02910353 +n02910542 +n02910864 +n02911332 +n02912065 +n02912557 +n02912894 +n02913152 +n02914991 +n02915904 +n02916179 +n02916350 +n02916936 +n02917067 +n02917377 +n02917521 +n02917607 +n02917964 +n02918112 +n02918330 +n02918595 +n02918831 +n02918964 +n02919148 +n02919414 +n02919792 +n02919890 +n02920083 +n02920259 +n02920369 +n02920658 +n02921029 +n02921195 +n02921756 +n02921884 +n02922292 +n02922578 +n02922798 +n02923682 +n02924116 +n02925009 +n02925107 +n02925519 +n02925666 +n02926426 +n02926591 +n02927161 +n02927764 +n02927887 +n02928049 +n02928299 +n02928608 +n02929289 +n02929582 +n02930080 +n02930214 +n02930645 +n02930766 +n02931148 +n02931294 +n02931417 +n02931836 +n02932019 +n02932400 +n02932523 +n02932693 +n02932891 +n02933112 +n02933340 +n02933462 +n02933649 +n02934168 +n02934451 +n02935017 +n02935387 +n02935658 +n02935891 +n02936176 +n02936281 +n02936402 +n02936570 +n02936714 +n02937958 +n02938886 +n02939185 +n02939866 +n02940385 +n02940570 +n02942349 +n02942460 +n02942699 +n02943241 +n02943871 +n02943964 +n02944075 +n02944146 +n02944459 +n02944579 +n02946127 +n02946270 +n02946348 +n02946509 +n02946824 +n02946921 +n02947660 +n02947818 +n02948072 +n02948557 +n02949202 +n02949542 +n02950256 +n02950632 +n02950826 +n02950943 +n02951358 +n02951585 +n02951703 +n02951843 +n02952109 +n02952237 +n02952374 +n02952485 +n02952585 +n02952674 +n02953197 +n02953455 +n02954163 +n02954340 +n02954938 +n02955065 +n02955247 +n02955540 +n02956699 +n02956795 +n02956883 +n02957008 +n02957135 +n02957755 +n02958343 +n02959942 +n02960352 +n02960690 +n02960903 +n02961035 +n02961225 +n02961451 +n02961544 +n02962061 +n02962200 +n02962843 +n02963159 +n02963302 +n02963503 +n02963692 +n02963821 +n02963987 +n02964843 +n02965216 +n02965300 +n02965783 +n02966193 +n02966545 +n02966687 +n02967294 +n02967626 +n02967782 +n02968074 +n02968333 +n02968473 +n02969010 +n02969323 +n02970408 +n02970534 +n02970685 +n02970849 +n02971167 +n02971356 +n02971579 +n02971691 +n02972397 +n02973017 +n02973236 +n02973805 +n02973904 +n02974003 +n02974348 +n02974697 +n02975212 +n02976123 +n02976249 +n02976350 +n02976455 +n02976939 +n02977058 +n02977330 +n02977438 +n02977619 +n02977936 +n02978055 +n02978478 +n02978753 +n02978881 +n02979074 +n02979186 +n02979290 +n02979399 +n02979836 +n02980036 +n02980441 +n02981024 +n02981321 +n02981792 +n02981911 +n02982232 +n02982416 +n02982515 +n02983189 +n02983357 +n02984061 +n02984203 +n02984469 +n02985963 +n02986160 +n02987379 +n02987492 +n02988066 +n02988156 +n02988304 +n02988486 +n02988679 +n02988963 +n02989099 +n02990373 +n02991302 +n02991847 +n02992032 +n02992211 +n02992368 +n02992529 +n02992795 +n02993194 +n02993368 +n02994573 +n02995345 +n02995871 +n02995998 +n02997391 +n02997607 +n02997910 +n02998003 +n02998563 +n02998841 +n02999138 +n02999410 +n02999936 +n03000134 +n03000247 +n03000684 +n03001115 +n03001627 +n03002096 +n03002341 +n03002711 +n03002816 +n03002948 +n03003091 +n03004275 +n03004824 +n03005033 +n03005285 +n03006626 +n03007130 +n03007444 +n03007591 +n03008177 +n03008976 +n03009794 +n03010473 +n03010656 +n03010795 +n03010915 +n03011018 +n03011355 +n03011741 +n03012013 +n03012897 +n03013438 +n03013580 +n03013850 +n03014440 +n03014705 +n03015149 +n03015254 +n03015478 +n03015851 +n03016389 +n03016609 +n03016737 +n03016868 +n03016953 +n03017070 +n03017168 +n03018209 +n03018349 +n03018712 +n03019434 +n03019685 +n03019938 +n03020034 +n03020416 +n03020692 +n03021228 +n03024064 +n03025250 +n03026506 +n03026907 +n03027108 +n03027250 +n03027625 +n03028079 +n03028596 +n03028785 +n03029197 +n03029445 +n03030262 +n03030353 +n03030557 +n03030880 +n03031012 +n03031152 +n03031422 +n03032252 +n03032453 +n03032811 +n03033362 +n03033986 +n03034244 +n03034405 +n03034663 +n03035252 +n03035832 +n03036022 +n03037404 +n03037709 +n03038281 +n03038685 +n03038870 +n03039015 +n03039259 +n03039493 +n03039827 +n03039947 +n03040376 +n03041114 +n03041449 +n03041632 +n03041810 +n03042139 +n03042490 +n03042697 +n03043423 +n03043693 +n03043958 +n03044934 +n03045228 +n03045337 +n03045698 +n03046029 +n03046133 +n03046257 +n03046802 +n03046921 +n03047052 +n03047690 +n03047799 +n03047941 +n03048883 +n03049782 +n03049924 +n03050453 +n03050546 +n03050655 +n03050864 +n03051041 +n03051249 +n03051396 +n03051540 +n03054901 +n03055418 +n03055857 +n03057021 +n03057541 +n03057636 +n03057920 +n03058107 +n03058603 +n03059685 +n03061211 +n03061345 +n03061505 +n03061674 +n03062015 +n03062122 +n03062245 +n03062336 +n03062985 +n03063073 +n03063199 +n03063338 +n03063485 +n03063599 +n03063689 +n03063968 +n03064250 +n03064350 +n03064758 +n03064935 +n03065243 +n03065424 +n03066359 +n03066849 +n03067093 +n03067212 +n03067339 +n03067518 +n03068181 +n03068998 +n03069752 +n03070059 +n03070193 +n03071021 +n03071160 +n03072201 +n03072440 +n03073296 +n03073545 +n03073694 +n03073977 +n03074380 +n03074855 +n03075097 +n03075370 +n03075634 +n03075768 +n03075946 +n03077616 +n03077741 +n03078802 +n03078995 +n03079136 +n03079230 +n03079494 +n03080497 +n03080633 +n03082280 +n03082656 +n03082807 +n03082979 +n03084420 +n03084834 +n03085013 +n03085219 +n03085602 +n03085915 +n03086457 +n03086580 +n03086670 +n03086868 +n03087069 +n03087245 +n03087366 +n03087816 +n03088389 +n03088580 +n03089624 +n03089753 +n03089879 +n03090000 +n03090172 +n03091044 +n03091374 +n03092166 +n03092314 +n03092656 +n03092883 +n03094159 +n03094503 +n03095699 +n03096960 +n03097362 +n03097535 +n03097673 +n03098140 +n03098688 +n03098959 +n03099147 +n03099274 +n03099454 +n03099945 +n03100240 +n03100346 +n03100490 +n03100897 +n03101156 +n03101517 +n03101664 +n03101796 +n03101986 +n03102371 +n03102654 +n03103396 +n03103563 +n03105088 +n03105306 +n03105467 +n03106898 +n03107046 +n03107488 +n03108455 +n03108853 +n03109150 +n03109253 +n03109693 +n03109881 +n03110669 +n03111041 +n03111177 +n03111296 +n03112719 +n03112869 +n03113152 +n03113657 +n03113835 +n03114236 +n03114379 +n03114504 +n03115180 +n03115400 +n03115762 +n03115897 +n03116530 +n03116767 +n03118969 +n03119203 +n03119396 +n03119510 +n03120491 +n03120778 +n03121298 +n03121431 +n03121897 +n03122073 +n03122202 +n03122295 +n03123553 +n03123809 +n03123917 +n03124043 +n03124170 +n03124474 +n03124590 +n03125057 +n03125729 +n03125870 +n03126385 +n03126580 +n03126707 +n03127203 +n03127408 +n03127747 +n03127925 +n03128085 +n03128248 +n03128427 +n03128519 +n03129001 +n03129471 +n03129753 +n03130761 +n03131574 +n03131669 +n03131967 +n03132076 +n03132261 +n03132666 +n03132776 +n03133050 +n03133415 +n03133878 +n03134739 +n03134853 +n03135030 +n03135532 +n03136369 +n03137473 +n03138344 +n03138669 +n03139464 +n03140126 +n03140292 +n03140431 +n03140652 +n03141065 +n03141327 +n03141455 +n03141702 +n03141823 +n03142679 +n03145147 +n03145522 +n03145719 +n03146219 +n03146687 +n03146846 +n03147280 +n03147509 +n03148324 +n03148727 +n03149686 +n03150232 +n03150511 +n03151077 +n03152303 +n03154073 +n03154895 +n03156279 +n03156767 +n03157348 +n03158186 +n03158885 +n03159535 +n03159640 +n03160309 +n03160740 +n03161450 +n03163222 +n03163381 +n03164344 +n03164605 +n03164722 +n03165096 +n03165466 +n03165616 +n03166514 +n03167978 +n03168107 +n03168217 +n03169176 +n03170635 +n03171228 +n03171356 +n03171635 +n03172038 +n03173270 +n03173387 +n03173929 +n03174450 +n03174731 +n03175081 +n03175189 +n03175457 +n03176386 +n03176594 +n03176763 +n03177165 +n03178000 +n03178430 +n03178674 +n03179701 +n03179910 +n03180011 +n03180384 +n03180504 +n03180865 +n03180969 +n03181293 +n03183080 +n03186285 +n03186818 +n03187037 +n03187268 +n03187595 +n03188531 +n03188725 +n03189083 +n03191286 +n03192543 +n03193107 +n03193260 +n03193423 +n03193597 +n03195332 +n03195959 +n03196062 +n03196217 +n03196598 +n03196990 +n03197337 +n03198500 +n03199647 +n03199775 +n03199901 +n03200231 +n03200357 +n03200539 +n03200701 +n03200906 +n03201035 +n03201208 +n03201529 +n03201638 +n03201776 +n03202354 +n03202940 +n03204306 +n03204558 +n03205458 +n03205574 +n03205669 +n03206282 +n03206718 +n03206908 +n03207305 +n03207630 +n03207743 +n03207835 +n03207941 +n03208556 +n03208938 +n03209359 +n03209910 +n03210245 +n03210372 +n03210552 +n03211117 +n03211789 +n03212114 +n03212811 +n03213538 +n03213826 +n03214253 +n03214582 +n03215508 +n03216402 +n03216710 +n03216828 +n03218198 +n03219010 +n03219135 +n03219483 +n03219966 +n03220237 +n03220513 +n03220692 +n03221059 +n03221351 +n03221540 +n03221720 +n03222176 +n03222318 +n03222516 +n03223162 +n03223299 +n03223553 +n03223686 +n03224603 +n03224753 +n03225108 +n03225777 +n03225988 +n03226254 +n03226375 +n03226538 +n03226880 +n03227317 +n03228254 +n03228365 +n03228692 +n03228967 +n03229244 +n03231368 +n03231819 +n03232309 +n03232543 +n03233123 +n03233624 +n03233744 +n03233905 +n03234164 +n03234952 +n03235042 +n03235180 +n03235327 +n03235796 +n03236217 +n03236423 +n03236735 +n03237340 +n03237416 +n03237839 +n03237992 +n03238131 +n03238286 +n03238586 +n03239054 +n03239259 +n03239726 +n03240140 +n03240683 +n03240892 +n03241093 +n03241335 +n03241496 +n03242506 +n03243218 +n03244047 +n03244231 +n03244775 +n03244919 +n03245724 +n03245889 +n03246454 +n03246933 +n03247083 +n03249342 +n03249569 +n03250089 +n03250279 +n03250405 +n03250847 +n03251533 +n03251766 +n03251932 +n03252637 +n03253279 +n03253796 +n03253886 +n03254046 +n03254189 +n03254374 +n03254862 +n03255030 +n03255899 +n03256032 +n03256166 +n03256788 +n03256928 +n03257210 +n03257586 +n03258330 +n03258577 +n03258905 +n03259009 +n03259280 +n03259401 +n03259505 +n03260849 +n03261019 +n03261603 +n03261776 +n03262072 +n03262248 +n03262519 +n03262717 +n03262809 +n03262932 +n03263076 +n03266371 +n03266749 +n03267113 +n03267468 +n03267821 +n03268142 +n03268311 +n03268645 +n03268790 +n03268918 +n03269203 +n03269401 +n03271030 +n03271574 +n03272010 +n03272125 +n03272239 +n03272383 +n03272562 +n03272810 +n03272940 +n03273061 +n03273551 +n03273740 +n03273913 +n03274265 +n03274435 +n03275681 +n03277459 +n03277771 +n03278248 +n03278914 +n03279508 +n03281145 +n03281673 +n03282295 +n03282401 +n03283221 +n03284743 +n03284886 +n03285578 +n03287351 +n03287733 +n03288500 +n03288886 +n03289660 +n03289985 +n03290096 +n03290195 +n03290653 +n03291413 +n03291741 +n03291819 +n03291963 +n03292475 +n03292603 +n03293741 +n03293863 +n03294048 +n03294833 +n03295012 +n03295246 +n03296081 +n03296328 +n03297103 +n03297226 +n03297495 +n03297644 +n03297735 +n03298089 +n03298716 +n03298858 +n03300216 +n03300443 +n03301568 +n03301833 +n03301940 +n03302671 +n03302938 +n03303217 +n03303831 +n03306385 +n03307037 +n03307792 +n03308152 +n03308481 +n03309110 +n03309356 +n03309465 +n03309687 +n03309808 +n03313333 +n03314227 +n03314608 +n03314780 +n03314884 +n03315644 +n03316105 +n03316406 +n03317788 +n03318294 +n03318865 +n03318983 +n03319457 +n03319745 +n03320046 +n03320262 +n03320421 +n03320519 +n03320959 +n03321103 +n03321563 +n03321954 +n03322570 +n03322704 +n03322836 +n03322940 +n03323096 +n03324928 +n03325088 +n03325584 +n03325941 +n03326660 +n03326795 +n03326948 +n03327133 +n03327234 +n03327553 +n03327691 +n03329302 +n03329536 +n03329663 +n03331077 +n03331599 +n03332005 +n03332271 +n03332393 +n03332989 +n03333129 +n03333252 +n03333610 +n03333711 +n03334291 +n03334382 +n03334912 +n03335030 +n03336282 +n03336575 +n03337140 +n03337383 +n03338821 +n03339529 +n03339643 +n03340723 +n03341153 +n03341297 +n03342015 +n03342127 +n03342262 +n03343354 +n03343560 +n03343737 +n03343853 +n03344305 +n03344393 +n03344642 +n03345487 +n03345837 +n03346135 +n03346455 +n03347037 +n03347617 +n03348868 +n03349469 +n03349771 +n03349892 +n03350204 +n03350602 +n03351434 +n03351979 +n03352628 +n03353951 +n03354207 +n03354903 +n03355768 +n03355925 +n03356858 +n03356982 +n03357267 +n03357716 +n03358172 +n03358380 +n03358726 +n03359137 +n03359285 +n03359436 +n03359566 +n03360300 +n03360431 +n03360622 +n03361297 +n03361380 +n03361550 +n03362890 +n03363363 +n03363549 +n03363749 +n03364008 +n03364599 +n03365231 +n03365374 +n03365592 +n03365991 +n03366823 +n03366974 +n03367059 +n03367410 +n03367545 +n03368352 +n03369276 +n03370387 +n03371875 +n03372029 +n03372549 +n03373237 +n03373611 +n03373943 +n03374372 +n03374473 +n03374649 +n03374838 +n03375329 +n03375575 +n03376159 +n03376279 +n03376595 +n03376938 +n03378005 +n03378174 +n03379051 +n03379204 +n03379343 +n03379828 +n03380724 +n03380867 +n03381126 +n03382292 +n03382413 +n03382856 +n03383099 +n03384352 +n03384891 +n03385557 +n03386011 +n03386544 +n03386726 +n03386870 +n03387653 +n03388043 +n03388183 +n03388323 +n03388549 +n03389611 +n03389761 +n03389889 +n03390075 +n03390786 +n03390983 +n03391301 +n03392741 +n03393017 +n03393761 +n03393912 +n03394272 +n03394480 +n03394649 +n03394916 +n03395514 +n03395859 +n03396074 +n03396654 +n03397087 +n03397266 +n03397532 +n03397947 +n03398153 +n03398228 +n03399677 +n03399761 +n03399971 +n03400231 +n03401129 +n03401279 +n03402188 +n03402941 +n03403643 +n03404149 +n03404251 +n03404360 +n03405265 +n03405595 +n03405725 +n03406966 +n03407369 +n03407865 +n03408054 +n03408444 +n03409297 +n03409393 +n03409591 +n03410571 +n03410740 +n03410938 +n03411079 +n03412058 +n03413684 +n03414029 +n03414162 +n03414676 +n03415252 +n03415486 +n03415749 +n03416094 +n03416489 +n03416640 +n03416775 +n03416900 +n03417042 +n03417202 +n03417345 +n03417749 +n03417970 +n03418158 +n03418242 +n03418402 +n03418618 +n03418915 +n03419014 +n03420345 +n03420801 +n03421324 +n03421485 +n03421669 +n03422072 +n03423306 +n03423479 +n03423568 +n03423719 +n03423877 +n03424325 +n03424489 +n03424630 +n03424862 +n03425241 +n03425325 +n03425413 +n03425595 +n03425769 +n03426134 +n03427202 +n03427296 +n03428090 +n03428226 +n03428349 +n03429003 +n03429137 +n03429288 +n03429682 +n03429914 +n03430091 +n03430313 +n03430418 +n03430551 +n03431243 +n03431745 +n03432061 +n03432129 +n03433877 +n03434188 +n03434285 +n03435593 +n03435743 +n03435991 +n03436075 +n03436182 +n03436417 +n03436549 +n03436891 +n03437430 +n03437741 +n03437829 +n03437941 +n03438071 +n03438257 +n03438661 +n03438863 +n03439348 +n03439814 +n03440216 +n03440682 +n03441112 +n03441345 +n03442597 +n03442756 +n03443005 +n03443149 +n03443371 +n03443912 +n03444034 +n03445326 +n03445617 +n03445777 +n03445924 +n03446070 +n03446268 +n03446832 +n03447075 +n03447358 +n03447447 +n03447721 +n03448590 +n03448956 +n03449309 +n03449451 +n03450230 +n03450516 +n03450734 +n03450974 +n03451120 +n03451711 +n03451798 +n03452267 +n03452449 +n03452594 +n03452741 +n03453231 +n03453443 +n03454110 +n03454211 +n03454442 +n03454536 +n03454707 +n03454885 +n03455488 +n03456024 +n03456186 +n03456299 +n03456447 +n03456548 +n03456665 +n03457008 +n03457686 +n03457902 +n03458271 +n03459328 +n03459775 +n03460040 +n03460147 +n03460297 +n03461288 +n03461385 +n03462110 +n03463381 +n03463666 +n03464053 +n03465426 +n03465500 +n03465718 +n03466493 +n03466600 +n03466839 +n03467068 +n03467517 +n03467796 +n03467984 +n03468696 +n03468821 +n03469175 +n03469493 +n03469903 +n03470629 +n03471190 +n03472232 +n03473227 +n03474779 +n03474896 +n03475581 +n03475823 +n03476083 +n03476313 +n03476684 +n03476991 +n03477512 +n03478589 +n03478756 +n03478907 +n03479121 +n03479397 +n03480579 +n03480719 +n03481172 +n03482252 +n03482405 +n03482523 +n03482877 +n03483230 +n03483316 +n03483823 +n03484083 +n03484487 +n03484576 +n03484931 +n03485198 +n03485407 +n03485794 +n03487090 +n03487331 +n03487444 +n03487533 +n03487642 +n03487774 +n03487886 +n03488188 +n03488438 +n03489162 +n03490006 +n03490119 +n03490884 +n03491032 +n03492250 +n03492542 +n03492922 +n03494278 +n03494537 +n03494706 +n03495039 +n03495258 +n03495570 +n03496296 +n03496612 +n03496892 +n03497352 +n03497657 +n03498441 +n03498662 +n03498781 +n03498962 +n03499354 +n03499468 +n03499907 +n03500209 +n03500389 +n03500699 +n03501614 +n03502200 +n03502331 +n03502509 +n03503477 +n03503997 +n03504205 +n03504723 +n03505133 +n03505383 +n03505504 +n03505667 +n03506028 +n03506184 +n03506370 +n03506560 +n03506727 +n03506880 +n03507241 +n03507458 +n03507963 +n03508101 +n03509394 +n03509608 +n03510244 +n03511175 +n03511333 +n03512147 +n03513137 +n03513376 +n03514451 +n03514693 +n03514894 +n03516367 +n03516844 +n03516996 +n03517647 +n03517760 +n03517899 +n03518135 +n03518305 +n03518445 +n03518943 +n03519081 +n03519387 +n03520493 +n03521076 +n03521544 +n03521675 +n03521899 +n03522003 +n03522100 +n03523987 +n03524150 +n03524574 +n03525074 +n03525454 +n03527149 +n03527444 +n03527565 +n03528263 +n03528523 +n03528901 +n03529175 +n03529444 +n03529629 +n03529860 +n03530511 +n03530642 +n03530910 +n03531281 +n03532342 +n03532672 +n03532919 +n03533014 +n03534580 +n03534776 +n03535024 +n03535780 +n03536122 +n03537241 +n03537412 +n03538037 +n03538179 +n03538406 +n03538634 +n03539433 +n03539546 +n03539678 +n03540090 +n03540267 +n03540595 +n03540914 +n03541091 +n03541269 +n03541537 +n03541696 +n03541923 +n03542333 +n03542605 +n03542860 +n03543012 +n03543112 +n03543254 +n03543394 +n03543603 +n03543735 +n03543945 +n03544143 +n03544238 +n03544360 +n03545150 +n03545470 +n03545756 +n03546112 +n03546235 +n03546340 +n03547054 +n03547229 +n03548086 +n03548402 +n03548626 +n03549199 +n03549473 +n03549589 +n03549732 +n03549897 +n03550153 +n03550289 +n03551395 +n03552749 +n03553019 +n03553248 +n03554460 +n03555006 +n03555426 +n03555564 +n03555662 +n03556679 +n03557270 +n03557360 +n03557590 +n03557692 +n03558176 +n03558404 +n03558633 +n03558739 +n03559999 +n03560430 +n03561047 +n03563200 +n03563460 +n03565288 +n03565830 +n03566193 +n03566730 +n03567066 +n03568117 +n03571280 +n03571625 +n03571942 +n03572107 +n03572321 +n03574243 +n03574555 +n03574816 +n03577090 +n03577672 +n03578055 +n03578251 +n03578656 +n03579538 +n03580518 +n03580845 +n03581125 +n03582959 +n03584254 +n03584400 +n03584829 +n03585073 +n03585438 +n03585682 +n03586219 +n03586631 +n03587205 +n03588951 +n03589513 +n03589791 +n03590306 +n03590588 +n03590841 +n03590932 +n03592245 +n03592669 +n03592773 +n03593122 +n03593526 +n03594148 +n03594523 +n03594734 +n03594945 +n03595264 +n03595409 +n03595523 +n03595614 +n03595860 +n03596285 +n03596543 +n03597916 +n03598151 +n03598299 +n03598515 +n03598930 +n03599486 +n03600285 +n03600475 +n03600722 +n03601638 +n03601840 +n03602081 +n03602883 +n03603442 +n03603594 +n03603722 +n03604156 +n03604311 +n03604400 +n03604843 +n03605598 +n03605722 +n03606251 +n03607029 +n03607659 +n03607923 +n03609235 +n03609397 +n03610098 +n03610418 +n03610524 +n03610682 +n03612010 +n03612814 +n03612965 +n03613294 +n03613592 +n03614007 +n03614532 +n03614782 +n03615300 +n03615406 +n03615563 +n03615655 +n03615790 +n03616428 +n03616763 +n03616979 +n03617095 +n03617312 +n03617480 +n03618101 +n03618982 +n03619196 +n03619275 +n03619396 +n03619650 +n03619793 +n03619890 +n03620052 +n03620967 +n03621049 +n03621377 +n03622058 +n03622839 +n03622931 +n03623198 +n03623338 +n03623556 +n03624134 +n03624400 +n03625355 +n03625539 +n03625646 +n03625943 +n03626115 +n03626760 +n03627232 +n03628215 +n03628511 +n03629100 +n03629231 +n03629520 +n03630262 +n03630383 +n03631177 +n03631922 +n03632577 +n03632729 +n03632852 +n03633091 +n03633886 +n03635032 +n03635108 +n03635330 +n03635668 +n03636248 +n03636649 +n03637181 +n03637318 +n03637898 +n03638883 +n03639077 +n03639497 +n03640850 +n03640988 +n03641569 +n03642444 +n03642806 +n03643149 +n03643253 +n03643491 +n03643737 +n03644378 +n03644858 +n03645011 +n03645577 +n03646020 +n03646148 +n03646296 +n03646916 +n03647520 +n03648431 +n03649161 +n03649674 +n03649797 +n03649909 +n03650551 +n03651388 +n03651843 +n03652100 +n03652729 +n03652932 +n03653110 +n03653220 +n03653583 +n03653740 +n03653833 +n03654576 +n03655072 +n03655720 +n03656484 +n03656957 +n03657121 +n03657511 +n03658185 +n03658858 +n03659292 +n03659686 +n03659809 +n03659950 +n03660124 +n03660909 +n03661043 +n03661340 +n03662601 +n03662719 +n03662887 +n03663531 +n03664943 +n03665366 +n03665924 +n03666362 +n03666591 +n03666917 +n03667552 +n03667664 +n03667829 +n03668067 +n03668279 +n03668488 +n03668803 +n03669886 +n03670208 +n03671914 +n03672827 +n03673027 +n03673450 +n03674440 +n03674731 +n03675235 +n03676087 +n03676483 +n03676623 +n03676759 +n03677115 +n03678558 +n03678729 +n03679384 +n03679712 +n03680355 +n03680512 +n03680734 +n03680858 +n03680942 +n03682487 +n03682877 +n03683079 +n03683457 +n03683606 +n03683708 +n03683995 +n03684143 +n03684224 +n03684611 +n03684823 +n03685820 +n03686130 +n03686924 +n03687137 +n03687928 +n03688192 +n03688405 +n03688605 +n03688943 +n03689157 +n03690473 +n03690938 +n03691459 +n03691817 +n03692379 +n03692522 +n03693293 +n03693474 +n03693707 +n03693860 +n03694639 +n03695857 +n03696065 +n03696301 +n03696568 +n03697007 +n03697552 +n03698360 +n03698604 +n03698723 +n03698815 +n03699591 +n03699975 +n03700963 +n03701391 +n03703730 +n03703862 +n03703945 +n03704549 +n03706229 +n03706653 +n03708036 +n03708843 +n03709206 +n03709363 +n03709823 +n03710193 +n03710637 +n03710721 +n03711044 +n03711999 +n03712111 +n03712337 +n03713436 +n03714235 +n03715114 +n03715386 +n03715669 +n03715892 +n03716887 +n03716966 +n03717131 +n03717285 +n03717447 +n03717622 +n03718212 +n03718335 +n03718458 +n03718581 +n03718789 +n03718935 +n03719053 +n03719343 +n03719743 +n03720163 +n03720891 +n03721047 +n03721252 +n03721384 +n03721590 +n03722007 +n03722288 +n03723267 +n03723781 +n03724066 +n03724417 +n03724538 +n03724623 +n03724756 +n03724870 +n03725035 +n03725600 +n03725717 +n03726760 +n03726993 +n03727067 +n03727465 +n03727605 +n03727837 +n03727946 +n03728437 +n03729308 +n03729826 +n03730153 +n03730334 +n03730494 +n03730893 +n03731019 +n03731483 +n03731695 +n03732020 +n03732114 +n03732458 +n03733131 +n03733281 +n03733644 +n03733805 +n03733925 +n03735637 +n03735963 +n03736064 +n03736470 +n03736970 +n03738066 +n03738472 +n03739518 +n03742019 +n03742115 +n03743016 +n03743279 +n03743902 +n03744276 +n03744840 +n03745146 +n03745571 +n03746005 +n03746155 +n03746330 +n03746486 +n03748162 +n03749807 +n03751269 +n03751458 +n03751757 +n03752185 +n03753077 +n03757604 +n03758089 +n03759243 +n03759661 +n03759954 +n03760310 +n03760671 +n03760944 +n03761084 +n03762332 +n03762434 +n03762602 +n03763968 +n03764276 +n03764736 +n03764822 +n03765561 +n03766044 +n03766322 +n03766508 +n03766935 +n03767112 +n03767203 +n03767459 +n03767745 +n03767966 +n03768916 +n03769610 +n03769881 +n03770085 +n03770316 +n03770439 +n03770679 +n03770954 +n03772077 +n03772269 +n03772584 +n03773035 +n03773504 +n03774327 +n03774461 +n03775071 +n03775199 +n03775388 +n03775546 +n03775636 +n03775747 +n03775847 +n03776460 +n03777568 +n03777754 +n03778817 +n03779128 +n03781244 +n03781683 +n03781787 +n03782006 +n03782190 +n03782794 +n03783430 +n03784270 +n03784896 +n03785016 +n03785237 +n03785721 +n03786194 +n03786313 +n03786621 +n03786715 +n03786901 +n03787032 +n03787523 +n03788047 +n03788195 +n03788365 +n03788498 +n03788601 +n03788914 +n03789171 +n03789946 +n03790230 +n03790512 +n03790755 +n03790953 +n03791053 +n03791235 +n03792048 +n03792334 +n03792526 +n03792782 +n03792972 +n03793489 +n03793850 +n03794056 +n03794136 +n03794798 +n03795123 +n03795269 +n03795758 +n03795976 +n03796401 +n03796522 +n03796605 +n03797182 +n03797264 +n03797390 +n03797896 +n03798061 +n03798442 +n03799876 +n03800933 +n03801353 +n03801533 +n03801671 +n03801760 +n03801880 +n03802007 +n03802393 +n03803284 +n03804744 +n03805180 +n03805280 +n03805725 +n03809312 +n03809603 +n03810952 +n03811295 +n03811444 +n03811847 +n03811965 +n03812924 +n03813078 +n03814639 +n03814817 +n03814906 +n03815149 +n03815482 +n03815615 +n03816005 +n03816136 +n03816530 +n03816849 +n03817191 +n03817647 +n03818343 +n03819336 +n03819448 +n03819595 +n03819994 +n03820318 +n03820728 +n03821518 +n03822171 +n03822504 +n03822656 +n03822767 +n03823111 +n03823216 +n03823312 +n03824381 +n03824713 +n03825080 +n03825788 +n03826039 +n03826186 +n03827536 +n03828020 +n03829954 +n03831382 +n03832144 +n03832673 +n03834040 +n03835197 +n03836062 +n03836451 +n03836906 +n03836976 +n03837422 +n03837606 +n03837698 +n03837869 +n03838298 +n03838899 +n03839424 +n03839671 +n03840681 +n03840823 +n03841143 +n03841666 +n03842012 +n03842156 +n03842377 +n03842986 +n03843438 +n03843555 +n03844045 +n03844233 +n03844673 +n03844815 +n03845190 +n03846100 +n03846234 +n03846431 +n03846677 +n03847471 +n03847823 +n03848168 +n03848348 +n03849679 +n03849814 +n03850053 +n03850245 +n03850492 +n03851787 +n03852280 +n03852688 +n03853924 +n03854065 +n03854421 +n03854506 +n03854722 +n03854815 +n03855214 +n03855333 +n03855604 +n03855756 +n03856012 +n03856465 +n03857687 +n03857828 +n03858085 +n03858183 +n03858418 +n03859000 +n03859170 +n03859280 +n03859495 +n03859608 +n03859958 +n03860404 +n03861271 +n03861430 +n03861842 +n03862676 +n03862862 +n03863108 +n03863262 +n03863923 +n03864356 +n03864692 +n03865371 +n03865557 +n03865949 +n03866082 +n03868242 +n03868406 +n03868643 +n03868863 +n03870105 +n03870672 +n03870980 +n03871083 +n03871371 +n03871524 +n03871628 +n03871724 +n03873416 +n03873699 +n03874138 +n03874293 +n03874487 +n03874599 +n03875218 +n03875806 +n03875955 +n03876231 +n03877351 +n03877472 +n03877674 +n03877845 +n03878066 +n03878211 +n03878963 +n03879705 +n03880323 +n03880531 +n03882611 +n03882960 +n03883054 +n03883385 +n03883524 +n03884397 +n03884778 +n03884926 +n03885028 +n03885194 +n03885293 +n03885535 +n03885669 +n03885788 +n03885904 +n03886053 +n03886641 +n03886762 +n03887185 +n03887330 +n03887697 +n03888257 +n03888605 +n03889503 +n03889726 +n03889871 +n03890093 +n03890233 +n03890514 +n03891051 +n03891251 +n03891332 +n03891538 +n03892178 +n03892425 +n03892557 +n03894051 +n03894379 +n03894677 +n03895866 +n03896103 +n03896233 +n03896419 +n03896526 +n03897943 +n03898129 +n03898271 +n03898395 +n03898633 +n03899768 +n03899933 +n03900393 +n03900979 +n03901229 +n03901750 +n03902125 +n03902482 +n03902756 +n03903424 +n03903733 +n03903868 +n03904060 +n03904183 +n03904433 +n03904657 +n03904782 +n03904909 +n03905947 +n03906224 +n03906463 +n03906997 +n03908204 +n03908618 +n03908714 +n03909020 +n03909160 +n03909406 +n03911513 +n03911658 +n03911767 +n03911866 +n03912218 +n03913343 +n03914106 +n03914337 +n03914438 +n03914583 +n03914831 +n03915118 +n03915437 +n03915900 +n03916031 +n03916470 +n03916720 +n03917198 +n03917814 +n03918480 +n03918737 +n03919096 +n03919289 +n03919430 +n03920288 +n03920641 +n03920737 +n03920867 +n03923379 +n03923918 +n03924069 +n03924679 +n03926148 +n03927091 +n03927299 +n03927539 +n03928116 +n03928814 +n03929660 +n03929855 +n03930313 +n03930630 +n03931765 +n03931885 +n03933933 +n03934042 +n03934229 +n03934311 +n03934565 +n03934656 +n03935116 +n03935234 +n03935335 +n03936466 +n03937543 +n03937835 +n03937931 +n03938037 +n03938244 +n03938401 +n03938522 +n03938725 +n03939178 +n03939677 +n03939844 +n03940256 +n03941013 +n03941231 +n03941417 +n03941684 +n03942813 +n03942920 +n03943115 +n03943266 +n03943920 +n03944024 +n03944138 +n03944341 +n03946076 +n03946162 +n03947466 +n03947798 +n03947888 +n03948242 +n03948459 +n03948830 +n03948950 +n03949145 +n03949317 +n03950228 +n03950537 +n03950899 +n03952576 +n03953901 +n03954393 +n03954731 +n03955296 +n03955489 +n03956157 +n03956623 +n03956785 +n03956922 +n03957315 +n03957420 +n03957762 +n03957991 +n03958227 +n03958752 +n03959014 +n03959701 +n03960374 +n03960490 +n03961711 +n03961939 +n03962852 +n03963198 +n03963294 +n03963645 +n03964495 +n03965456 +n03965907 +n03966206 +n03966976 +n03967270 +n03967396 +n03967562 +n03967942 +n03968293 +n03968581 +n03968728 +n03970156 +n03970546 +n03971218 +n03973285 +n03973402 +n03973628 +n03973839 +n03973945 +n03974070 +n03974915 +n03975035 +n03975657 +n03975788 +n03976467 +n03976657 +n03977592 +n03977966 +n03978421 +n03978686 +n03978966 +n03980026 +n03980478 +n03980874 +n03981340 +n03981566 +n03981760 +n03981924 +n03982232 +n03982331 +n03982430 +n03982642 +n03983396 +n03983612 +n03984234 +n03984381 +n03984643 +n03984759 +n03985069 +n03985232 +n03985441 +n03985881 +n03986224 +n03986355 +n03986562 +n03986704 +n03986949 +n03987266 +n03987376 +n03987990 +n03988170 +n03989665 +n03990474 +n03991062 +n03991646 +n03991837 +n03992325 +n03992436 +n03992509 +n03992703 +n03993053 +n03993180 +n03993403 +n03993703 +n03994008 +n03994614 +n03995265 +n03995372 +n03995535 +n03995856 +n03996145 +n03996416 +n03996849 +n03998194 +n03998333 +n03999160 +n03999992 +n04000311 +n04000592 +n04001265 +n04001499 +n04001845 +n04003241 +n04003856 +n04004210 +n04004475 +n04004767 +n04004990 +n04005197 +n04005630 +n04008385 +n04008634 +n04009552 +n04009801 +n04011827 +n04012084 +n04012482 +n04013729 +n04015908 +n04016240 +n04016576 +n04016684 +n04016846 +n04018155 +n04018667 +n04019101 +n04019541 +n04019696 +n04020298 +n04020912 +n04021028 +n04021798 +n04022332 +n04023695 +n04023962 +n04024274 +n04024862 +n04024983 +n04025508 +n04026053 +n04026180 +n04026417 +n04026813 +n04027023 +n04027706 +n04028074 +n04028221 +n04028315 +n04028581 +n04028764 +n04029734 +n04030274 +n04030518 +n04032603 +n04033425 +n04033901 +n04033995 +n04034262 +n04035836 +n04035912 +n04036303 +n04037220 +n04037443 +n04037964 +n04038231 +n04038338 +n04038440 +n04038727 +n04039381 +n04039742 +n04039848 +n04040247 +n04040373 +n04040759 +n04041069 +n04041243 +n04041408 +n04041544 +n04041747 +n04042358 +n04043411 +n04043733 +n04044307 +n04044498 +n04044716 +n04045255 +n04045397 +n04045644 +n04046091 +n04046277 +n04046400 +n04046590 +n04046974 +n04047401 +n04048441 +n04049303 +n04049405 +n04049585 +n04049753 +n04050066 +n04050313 +n04050933 +n04051549 +n04051825 +n04052442 +n04052658 +n04052757 +n04053508 +n04053677 +n04054361 +n04054670 +n04056180 +n04056413 +n04056932 +n04057047 +n04057981 +n04058096 +n04058239 +n04058594 +n04059157 +n04059516 +n04059947 +n04060647 +n04061681 +n04061793 +n04061969 +n04062428 +n04063154 +n04063373 +n04063868 +n04064401 +n04064747 +n04064862 +n04065272 +n04065464 +n04065789 +n04066270 +n04067472 +n04067658 +n04067818 +n04067921 +n04068441 +n04068601 +n04069276 +n04069434 +n04070003 +n04070207 +n04070415 +n04070727 +n04071263 +n04072193 +n04072551 +n04072960 +n04074185 +n04074963 +n04075291 +n04075715 +n04075916 +n04076284 +n04076713 +n04078574 +n04079244 +n04079933 +n04080138 +n04080454 +n04080705 +n04080833 +n04081281 +n04081699 +n04082562 +n04082710 +n04082886 +n04083309 +n04083800 +n04084889 +n04086273 +n04086446 +n04087432 +n04087709 +n04087826 +n04089376 +n04089666 +n04089836 +n04089976 +n04090263 +n04091097 +n04091693 +n04093625 +n04093775 +n04094720 +n04095109 +n04095210 +n04095342 +n04095577 +n04096066 +n04097373 +n04097760 +n04097866 +n04098513 +n04099003 +n04099175 +n04099429 +n04099969 +n04100519 +n04101701 +n04102037 +n04102162 +n04102285 +n04102406 +n04102618 +n04103094 +n04103206 +n04103364 +n04103665 +n04103769 +n04103918 +n04104147 +n04104384 +n04104500 +n04104770 +n04105068 +n04105704 +n04105893 +n04107743 +n04108268 +n04108822 +n04110178 +n04110955 +n04111190 +n04111414 +n04111531 +n04111668 +n04112147 +n04112252 +n04112430 +n04112579 +n04112654 +n04112752 +n04113194 +n04113316 +n04113406 +n04113641 +n04113765 +n04114844 +n04115144 +n04115256 +n04115456 +n04115802 +n04115996 +n04116098 +n04116294 +n04116512 +n04117464 +n04118021 +n04118538 +n04118635 +n04118776 +n04119091 +n04119230 +n04119360 +n04119478 +n04119751 +n04120489 +n04120842 +n04121426 +n04121511 +n04121728 +n04122349 +n04122492 +n04122578 +n04122685 +n04122825 +n04123026 +n04123448 +n04123567 +n04123740 +n04124098 +n04124202 +n04124370 +n04124488 +n04125021 +n04125257 +n04125853 +n04126066 +n04127249 +n04127395 +n04127521 +n04127633 +n04127904 +n04128413 +n04128499 +n04128710 +n04128837 +n04130143 +n04130257 +n04130907 +n04131208 +n04131368 +n04131690 +n04131929 +n04132158 +n04132603 +n04132985 +n04133789 +n04134008 +n04134523 +n04134632 +n04135024 +n04135118 +n04135315 +n04135710 +n04136045 +n04136161 +n04136333 +n04136510 +n04136800 +n04137089 +n04137217 +n04137355 +n04137444 +n04137773 +n04137897 +n04138261 +n04138977 +n04139140 +n04139395 +n04139859 +n04140064 +n04140631 +n04141076 +n04141198 +n04141327 +n04141712 +n04141838 +n04141975 +n04142434 +n04142731 +n04142999 +n04143140 +n04143897 +n04144241 +n04144539 +n04145863 +n04146050 +n04146343 +n04146504 +n04146614 +n04146862 +n04147183 +n04147793 +n04148054 +n04148579 +n04148703 +n04149083 +n04149813 +n04150153 +n04150980 +n04152593 +n04153025 +n04153751 +n04154152 +n04154340 +n04154565 +n04154938 +n04155068 +n04156140 +n04156946 +n04157320 +n04158807 +n04158956 +n04160372 +n04160586 +n04160847 +n04161358 +n04161981 +n04162433 +n04162706 +n04163530 +n04164406 +n04164757 +n04164868 +n04165409 +n04166281 +n04167346 +n04168199 +n04169437 +n04170037 +n04170933 +n04171208 +n04171459 +n04171629 +n04171831 +n04172107 +n04172342 +n04172776 +n04172904 +n04173046 +n04173511 +n04173907 +n04174101 +n04175039 +n04175147 +n04176068 +n04176190 +n04176295 +n04177041 +n04177755 +n04177820 +n04177931 +n04178190 +n04178329 +n04179712 +n04179824 +n04179913 +n04180063 +n04180229 +n04180888 +n04181228 +n04181561 +n04182152 +n04182322 +n04183217 +n04183329 +n04184316 +n04184435 +n04184880 +n04185071 +n04185529 +n04185804 +n04185946 +n04186051 +n04186268 +n04186455 +n04186848 +n04187061 +n04187233 +n04187547 +n04187970 +n04188179 +n04189282 +n04189651 +n04189816 +n04190052 +n04190376 +n04190997 +n04191595 +n04191943 +n04192238 +n04192698 +n04192858 +n04193377 +n04194127 +n04194289 +n04196502 +n04197110 +n04197391 +n04197781 +n04198355 +n04198453 +n04198562 +n04198722 +n04198797 +n04199027 +n04200000 +n04200258 +n04200537 +n04200800 +n04201064 +n04201297 +n04201733 +n04202417 +n04204081 +n04204238 +n04204347 +n04205318 +n04205505 +n04206225 +n04206356 +n04206570 +n04206790 +n04207151 +n04207343 +n04207596 +n04207763 +n04207903 +n04208065 +n04208210 +n04208427 +n04208760 +n04208936 +n04209133 +n04209239 +n04209509 +n04209613 +n04210120 +n04210390 +n04211219 +n04211356 +n04211528 +n04211857 +n04211970 +n04212165 +n04212282 +n04212467 +n04213353 +n04214046 +n04214282 +n04215153 +n04215402 +n04216634 +n04216860 +n04216963 +n04217546 +n04217882 +n04218564 +n04219185 +n04219424 +n04220250 +n04221823 +n04222210 +n04222307 +n04222470 +n04222723 +n04223299 +n04224543 +n04224842 +n04225031 +n04225729 +n04225987 +n04226464 +n04226826 +n04227144 +n04227900 +n04228054 +n04228215 +n04228581 +n04228693 +n04229107 +n04229480 +n04229737 +n04229816 +n04230603 +n04230808 +n04231272 +n04231693 +n04231905 +n04232153 +n04232800 +n04233124 +n04233715 +n04234455 +n04234887 +n04235291 +n04235860 +n04236377 +n04236809 +n04236935 +n04237423 +n04238128 +n04238321 +n04238617 +n04238763 +n04239074 +n04239436 +n04239786 +n04240752 +n04241249 +n04241573 +n04242408 +n04243546 +n04243941 +n04244379 +n04244997 +n04245508 +n04246060 +n04246271 +n04246731 +n04246855 +n04247011 +n04247630 +n04247736 +n04247876 +n04248396 +n04248507 +n04248851 +n04249415 +n04249582 +n04249882 +n04250224 +n04250473 +n04250692 +n04250850 +n04251144 +n04251701 +n04251791 +n04252077 +n04252225 +n04252331 +n04252560 +n04252653 +n04253057 +n04253168 +n04253931 +n04254009 +n04254120 +n04254680 +n04254777 +n04255163 +n04255586 +n04255899 +n04256520 +n04256891 +n04257223 +n04257684 +n04257790 +n04257986 +n04258138 +n04258333 +n04258438 +n04258618 +n04258732 +n04258859 +n04259630 +n04260364 +n04261281 +n04261638 +n04262161 +n04263257 +n04263336 +n04263502 +n04264628 +n04264765 +n04264914 +n04265275 +n04265904 +n04266014 +n04266162 +n04266375 +n04266486 +n04266968 +n04267435 +n04269270 +n04269822 +n04269944 +n04270147 +n04270371 +n04270891 +n04271531 +n04272054 +n04272389 +n04272928 +n04273285 +n04273569 +n04273659 +n04273796 +n04273972 +n04274985 +n04275175 +n04275548 +n04275661 +n04277352 +n04277493 +n04277826 +n04278247 +n04278353 +n04278447 +n04279172 +n04279353 +n04279462 +n04281260 +n04281375 +n04282494 +n04282872 +n04282992 +n04283096 +n04283255 +n04283378 +n04283585 +n04283905 +n04284002 +n04284341 +n04284438 +n04284572 +n04284869 +n04285008 +n04285146 +n04285803 +n04285965 +n04286575 +n04287747 +n04287898 +n04288533 +n04289027 +n04289195 +n04289576 +n04289690 +n04289827 +n04290079 +n04290259 +n04290507 +n04290615 +n04292414 +n04292572 +n04292921 +n04293119 +n04294426 +n04294614 +n04294879 +n04295081 +n04295571 +n04295881 +n04296562 +n04297098 +n04297750 +n04297847 +n04298661 +n04299215 +n04299370 +n04299963 +n04300643 +n04301000 +n04301760 +n04303357 +n04303497 +n04304375 +n04304680 +n04305210 +n04305323 +n04305572 +n04306080 +n04306592 +n04306847 +n04307767 +n04307986 +n04308084 +n04308273 +n04308397 +n04309049 +n04309348 +n04309548 +n04309833 +n04310018 +n04310157 +n04310904 +n04311004 +n04311174 +n04311595 +n04312154 +n04312432 +n04313503 +n04313628 +n04314914 +n04315342 +n04315948 +n04316498 +n04317063 +n04317175 +n04317325 +n04317420 +n04317833 +n04317976 +n04318787 +n04318892 +n04319937 +n04320973 +n04321453 +n04322026 +n04322801 +n04323819 +n04324297 +n04324387 +n04325041 +n04325704 +n04326547 +n04326676 +n04326799 +n04326896 +n04327204 +n04327682 +n04328186 +n04328329 +n04328946 +n04329834 +n04329958 +n04330267 +n04330340 +n04330746 +n04330998 +n04331277 +n04331639 +n04332074 +n04332243 +n04332580 +n04333129 +n04333869 +n04334105 +n04334365 +n04334599 +n04335209 +n04335435 +n04335693 +n04335886 +n04336792 +n04337287 +n04338517 +n04338963 +n04339879 +n04340521 +n04340750 +n04340935 +n04341686 +n04344003 +n04344734 +n04344873 +n04345028 +n04345201 +n04346157 +n04346328 +n04346428 +n04347119 +n04347519 +n04347754 +n04348359 +n04349306 +n04349401 +n04350458 +n04350581 +n04350769 +n04350905 +n04351699 +n04353573 +n04354026 +n04354182 +n04354487 +n04354589 +n04355267 +n04355338 +n04355511 +n04355933 +n04356056 +n04356595 +n04356925 +n04357121 +n04357314 +n04357531 +n04358117 +n04358491 +n04358707 +n04358874 +n04359500 +n04360798 +n04360914 +n04361095 +n04361260 +n04363777 +n04363991 +n04364160 +n04364545 +n04365328 +n04366033 +n04366116 +n04366367 +n04367011 +n04367371 +n04367480 +n04367746 +n04367950 +n04368496 +n04369025 +n04369282 +n04370048 +n04370288 +n04370456 +n04370774 +n04371050 +n04371430 +n04371563 +n04371774 +n04372370 +n04373089 +n04373428 +n04373704 +n04373795 +n04373894 +n04374315 +n04374735 +n04375241 +n04375405 +n04375615 +n04376400 +n04376876 +n04377057 +n04378956 +n04379243 +n04379964 +n04380255 +n04380346 +n04380533 +n04380916 +n04381073 +n04381587 +n04381724 +n04381860 +n04381994 +n04382438 +n04382695 +n04382880 +n04383015 +n04383130 +n04383839 +n04384593 +n04384910 +n04385536 +n04385799 +n04386051 +n04386664 +n04386792 +n04387095 +n04387201 +n04387261 +n04387400 +n04387706 +n04387932 +n04388743 +n04389033 +n04389430 +n04389521 +n04389718 +n04389854 +n04390577 +n04390873 +n04390977 +n04391445 +n04391838 +n04392113 +n04392526 +n04392764 +n04392985 +n04393095 +n04393549 +n04393808 +n04394630 +n04395024 +n04395106 +n04395651 +n04396808 +n04396902 +n04397027 +n04397452 +n04397645 +n04397768 +n04398044 +n04398497 +n04398688 +n04398834 +n04398951 +n04399158 +n04399537 +n04399846 +n04400289 +n04400737 +n04401088 +n04401578 +n04401680 +n04401828 +n04401949 +n04402057 +n04402449 +n04402580 +n04402746 +n04402984 +n04403413 +n04403524 +n04403638 +n04403925 +n04404412 +n04404817 +n04404997 +n04405540 +n04405762 +n04405907 +n04406239 +n04406817 +n04407435 +n04407686 +n04408871 +n04409011 +n04409128 +n04409384 +n04409515 +n04409625 +n04409806 +n04410086 +n04411264 +n04412097 +n04412416 +n04413969 +n04414199 +n04414319 +n04414476 +n04414675 +n04414909 +n04415663 +n04416005 +n04417086 +n04417180 +n04417672 +n04417809 +n04418357 +n04419073 +n04419642 +n04419868 +n04421872 +n04422409 +n04422727 +n04422875 +n04423845 +n04424692 +n04425804 +n04426316 +n04426427 +n04427715 +n04428191 +n04428634 +n04429376 +n04430475 +n04430896 +n04431025 +n04431745 +n04432203 +n04432662 +n04433585 +n04434207 +n04434531 +n04434932 +n04435180 +n04435653 +n04436012 +n04436185 +n04436329 +n04437953 +n04438304 +n04438507 +n04438897 +n04439585 +n04439712 +n04440963 +n04441662 +n04441790 +n04442312 +n04442441 +n04442741 +n04443164 +n04443257 +n04443766 +n04444749 +n04445040 +n04445154 +n04445327 +n04445952 +n04446276 +n04446844 +n04447028 +n04447276 +n04447443 +n04447861 +n04448070 +n04448361 +n04449290 +n04449966 +n04450133 +n04450243 +n04450640 +n04450749 +n04450994 +n04451318 +n04451818 +n04452528 +n04452615 +n04452757 +n04453037 +n04453156 +n04453390 +n04453666 +n04454908 +n04455250 +n04455652 +n04456115 +n04457474 +n04457767 +n04457910 +n04458633 +n04458843 +n04459018 +n04459362 +n04459610 +n04459773 +n04459909 +n04460130 +n04461437 +n04461570 +n04461696 +n04461879 +n04462011 +n04462240 +n04463679 +n04464615 +n04464852 +n04465050 +n04465358 +n04465501 +n04465666 +n04466871 +n04467099 +n04467307 +n04467665 +n04468005 +n04469003 +n04469514 +n04469813 +n04471148 +n04471632 +n04472563 +n04473108 +n04474035 +n04474187 +n04474466 +n04475411 +n04475631 +n04476116 +n04476259 +n04476831 +n04476972 +n04477219 +n04477387 +n04477548 +n04478512 +n04479046 +n04479823 +n04479939 +n04480033 +n04480853 +n04482177 +n04482297 +n04482393 +n04483073 +n04483307 +n04483925 +n04484432 +n04485082 +n04485423 +n04485884 +n04486054 +n04486213 +n04486934 +n04487081 +n04487394 +n04487724 +n04488202 +n04488427 +n04488530 +n04488742 +n04488857 +n04489008 +n04489695 +n04489817 +n04490091 +n04491388 +n04491638 +n04491769 +n04492060 +n04492375 +n04492749 +n04493381 +n04494204 +n04495698 +n04495843 +n04496614 +n04496726 +n04496872 +n04497442 +n04497570 +n04497801 +n04498389 +n04499062 +n04499446 +n04500060 +n04501370 +n04501550 +n04501947 +n04502059 +n04502197 +n04502502 +n04502670 +n04502851 +n04503413 +n04503593 +n04504141 +n04505036 +n04505470 +n04506289 +n04506506 +n04506688 +n04507155 +n04508163 +n04508489 +n04508949 +n04509171 +n04509260 +n04509417 +n04510706 +n04511002 +n04513827 +n04513998 +n04514241 +n04515003 +n04516116 +n04516214 +n04516354 +n04516672 +n04517211 +n04517408 +n04517823 +n04518132 +n04518343 +n04518643 +n04518764 +n04519153 +n04520170 +n04520382 +n04520784 +n04521863 +n04522168 +n04523525 +n04523831 +n04524142 +n04524313 +n04524941 +n04525038 +n04525191 +n04525305 +n04525417 +n04525584 +n04525821 +n04526964 +n04527648 +n04528079 +n04528968 +n04529108 +n04529681 +n04529962 +n04530283 +n04530566 +n04531098 +n04531873 +n04532106 +n04532398 +n04532670 +n04532831 +n04533199 +n04533499 +n04533594 +n04533700 +n04533802 +n04533946 +n04534127 +n04534359 +n04534520 +n04534895 +n04535370 +n04535524 +n04536153 +n04536335 +n04536595 +n04536866 +n04538552 +n04539203 +n04539794 +n04540053 +n04540255 +n04541320 +n04541987 +n04542715 +n04542858 +n04542943 +n04543158 +n04543636 +n04543772 +n04543996 +n04544325 +n04544450 +n04545305 +n04545748 +n04545858 +n04546194 +n04546340 +n04547592 +n04548280 +n04548362 +n04549028 +n04549122 +n04549629 +n04549919 +n04550184 +n04551055 +n04552348 +n04552696 +n04553561 +n04553703 +n04554211 +n04554406 +n04554684 +n04554871 +n04555291 +n04555400 +n04555600 +n04555700 +n04555897 +n04556408 +n04556533 +n04556948 +n04557648 +n04557751 +n04558478 +n04559166 +n04559451 +n04559730 +n04559910 +n04560113 +n04560292 +n04560804 +n04560882 +n04561287 +n04561422 +n04561734 +n04562262 +n04562496 +n04562935 +n04563204 +n04563413 +n04564278 +n04564581 +n04565375 +n04566257 +n04566561 +n04566756 +n04568069 +n04568557 +n04568841 +n04569063 +n04569822 +n04570214 +n04570815 +n04571292 +n04571566 +n04571686 +n04571958 +n04573281 +n04573513 +n04573937 +n04574067 +n04574999 +n04575723 +n04575824 +n04576002 +n04576211 +n04577769 +n04578934 +n04579056 +n04579145 +n04579230 +n04579432 +n04579667 +n04579986 +n04580493 +n04581102 +n04581829 +n04582205 +n04582349 +n04582771 +n04582869 +n04583212 +n04583620 +n04584207 +n04584373 +n04585128 +n04585745 +n04585980 +n04586072 +n04586581 +n04586932 +n04587327 +n04587404 +n04587559 +n04587648 +n04588739 +n04589190 +n04589325 +n04589593 +n04589890 +n04590021 +n04590129 +n04590263 +n04590553 +n04590746 +n04590933 +n04591157 +n04591517 +n04591713 +n04591887 +n04592005 +n04592099 +n04592465 +n04592741 +n04593077 +n04593185 +n04593376 +n04593524 +n04593866 +n04594218 +n04594489 +n04594828 +n04595028 +n04595285 +n04595855 +n04596742 +n04596852 +n04597309 +n04597400 +n04597804 +n04597913 +n04598318 +n04598582 +n04598965 +n04599124 +n04599235 +n04600312 +n04600912 +n04602762 +n04602956 +n04603399 +n04603729 +n04603872 +n04604644 +n04605163 +n04605321 +n04605572 +n04605726 +n04606251 +n04606574 +n04607035 +n04607242 +n04607869 +n04608329 +n04608435 +n04608567 +n04608923 +n04609531 +n04609651 +n04610013 +n04610274 +n04610503 +n04610676 +n04612026 +n04612373 +n04612504 +n04613015 +n04613696 +n04613939 +n04614655 +n04615226 +n04615644 +n04950952 +n04951071 +n04951186 +n04953296 +n04955160 +n04959672 +n04960277 +n04960582 +n04961062 +n04961331 +n04961691 +n04962062 +n04962240 +n04963307 +n04963588 +n04963740 +n04964001 +n04964799 +n04964878 +n04965179 +n04965451 +n04965661 +n04966543 +n04966941 +n04967191 +n04967674 +n04967801 +n04967882 +n04968056 +n04968139 +n04968749 +n04968895 +n04969242 +n04969540 +n04969798 +n04969952 +n04970059 +n04970398 +n04970470 +n04970916 +n04971211 +n04971313 +n04972350 +n04972451 +n04972801 +n04973291 +n04973386 +n04973585 +n04973816 +n04974859 +n04976319 +n04976952 +n04977412 +n04979002 +n04981658 +n05218119 +n05238282 +n05239437 +n05242928 +n05244934 +n05245192 +n05258051 +n05259914 +n05260127 +n05260240 +n05261310 +n05262422 +n05262534 +n05263183 +n05263448 +n05282652 +n05302499 +n05399034 +n05399243 +n05418717 +n05450617 +n05451384 +n05453657 +n05486510 +n05526957 +n05538625 +n05578095 +n05581932 +n05586759 +n05716342 +n06255081 +n06263609 +n06266633 +n06266973 +n06267145 +n06267564 +n06267655 +n06267758 +n06267893 +n06267991 +n06271778 +n06272290 +n06272612 +n06272803 +n06273414 +n06273555 +n06273743 +n06273986 +n06274760 +n06275095 +n06275353 +n06275471 +n06276501 +n06276697 +n06277135 +n06277280 +n06278338 +n06278475 +n06281040 +n06359193 +n06359467 +n06415688 +n06417096 +n06470073 +n06592281 +n06595351 +n06596364 +n06596474 +n06596607 +n06596727 +n06785654 +n06793231 +n06794110 +n06874185 +n06883725 +n06892775 +n06998748 +n07005523 +n07248320 +n07273802 +n07461050 +n07556406 +n07556637 +n07556970 +n07557434 +n07560193 +n07560331 +n07560542 +n07560652 +n07560903 +n07561112 +n07561590 +n07561848 +n07562495 +n07563207 +n07564971 +n07565083 +n07565161 +n07565259 +n07566340 +n07567707 +n07568502 +n07568818 +n07569106 +n07569644 +n07570720 +n07572616 +n07572957 +n07573347 +n07573696 +n07574176 +n07574426 +n07574504 +n07574602 +n07574780 +n07574923 +n07575076 +n07575392 +n07575510 +n07575726 +n07575984 +n07576182 +n07576438 +n07576781 +n07577144 +n07577374 +n07577538 +n07578093 +n07579575 +n07579688 +n07579787 +n07579917 +n07580053 +n07580253 +n07580359 +n07580470 +n07580592 +n07581249 +n07581346 +n07581775 +n07581931 +n07582152 +n07582277 +n07582609 +n07582892 +n07583066 +n07584110 +n07584332 +n07584423 +n07584593 +n07585107 +n07585208 +n07585557 +n07585758 +n07585906 +n07586099 +n07586318 +n07586604 +n07586718 +n07586894 +n07587023 +n07587111 +n07587331 +n07587441 +n07587618 +n07587700 +n07587962 +n07588111 +n07588193 +n07588299 +n07588419 +n07588574 +n07588817 +n07588947 +n07590320 +n07590502 +n07590611 +n07590752 +n07591049 +n07591473 +n07591586 +n07591961 +n07592094 +n07592481 +n07592768 +n07593004 +n07593199 +n07593471 +n07594066 +n07595649 +n07595914 +n07596684 +n07596967 +n07597145 +n07597365 +n07598256 +n07598734 +n07599911 +n07599998 +n07600177 +n07600285 +n07600696 +n07601290 +n07601572 +n07601686 +n07601809 +n07604956 +n07605040 +n07605380 +n07605474 +n07605597 +n07605804 +n07605944 +n07606538 +n07606669 +n07606764 +n07607138 +n07607605 +n07607967 +n07608098 +n07608339 +n07608429 +n07608866 +n07609215 +n07609407 +n07609632 +n07609840 +n07610620 +n07611046 +n07611148 +n07611267 +n07611358 +n07611839 +n07611991 +n07612137 +n07612367 +n07612632 +n07612996 +n07613266 +n07613480 +n07613815 +n07614198 +n07614500 +n07614730 +n07614825 +n07615190 +n07615289 +n07615460 +n07615569 +n07615671 +n07615774 +n07616046 +n07616386 +n07616487 +n07616590 +n07616748 +n07617051 +n07617611 +n07617708 +n07617932 +n07618119 +n07618432 +n07619004 +n07619208 +n07619409 +n07620689 +n07621618 +n07623136 +n07624466 +n07625061 +n07627931 +n07628068 +n07631926 +n07639069 +n07641928 +n07642361 +n07642471 +n07642742 +n07642933 +n07643026 +n07643200 +n07643306 +n07643891 +n07643981 +n07648913 +n07648997 +n07650903 +n07651025 +n07654148 +n07654298 +n07655263 +n07665438 +n07666176 +n07678729 +n07679034 +n07679356 +n07680313 +n07680517 +n07680761 +n07680932 +n07681450 +n07681691 +n07682197 +n07682316 +n07682477 +n07682624 +n07682808 +n07682952 +n07683039 +n07683360 +n07683490 +n07683617 +n07683786 +n07684084 +n07684164 +n07684289 +n07684517 +n07684600 +n07684938 +n07685031 +n07685218 +n07685399 +n07685546 +n07685730 +n07685918 +n07686021 +n07686202 +n07686720 +n07686873 +n07687053 +n07687211 +n07687381 +n07687469 +n07687626 +n07687789 +n07688624 +n07688898 +n07689003 +n07689842 +n07690019 +n07690152 +n07690273 +n07690431 +n07690511 +n07690585 +n07690739 +n07690892 +n07691091 +n07691237 +n07691539 +n07691650 +n07691758 +n07691954 +n07692614 +n07693048 +n07693223 +n07693590 +n07693725 +n07693972 +n07694403 +n07694516 +n07694659 +n07694839 +n07695652 +n07695742 +n07695878 +n07695965 +n07696403 +n07696527 +n07696625 +n07696728 +n07696839 +n07696977 +n07697100 +n07697313 +n07697537 +n07697699 +n07697825 +n07698250 +n07698401 +n07698543 +n07698672 +n07698782 +n07700003 +n07704054 +n07704205 +n07705931 +n07707451 +n07708124 +n07708398 +n07708685 +n07709046 +n07709172 +n07709333 +n07710283 +n07710616 +n07710952 +n07711080 +n07711232 +n07711371 +n07711569 +n07712063 +n07712267 +n07712382 +n07712559 +n07712748 +n07712856 +n07712959 +n07713074 +n07713267 +n07713395 +n07713763 +n07713895 +n07714078 +n07714188 +n07714287 +n07714448 +n07714571 +n07714802 +n07714895 +n07714990 +n07715103 +n07715221 +n07715407 +n07715561 +n07715721 +n07716034 +n07716203 +n07716358 +n07716906 +n07717070 +n07717410 +n07717556 +n07718472 +n07718747 +n07719213 +n07719616 +n07719839 +n07720277 +n07720442 +n07720615 +n07720875 +n07721018 +n07721195 +n07721325 +n07721456 +n07721678 +n07721942 +n07722052 +n07722217 +n07722485 +n07722888 +n07723039 +n07723177 +n07723330 +n07723559 +n07723968 +n07724269 +n07724492 +n07724654 +n07724943 +n07725255 +n07725376 +n07725531 +n07725789 +n07725888 +n07726095 +n07726525 +n07726672 +n07726796 +n07727048 +n07727458 +n07727578 +n07727868 +n07728053 +n07728181 +n07728585 +n07728708 +n07729384 +n07729485 +n07729828 +n07729926 +n07730033 +n07730207 +n07730320 +n07730406 +n07730708 +n07730855 +n07731006 +n07731284 +n07731587 +n07731767 +n07731952 +n07732168 +n07732636 +n07732747 +n07732904 +n07733394 +n07733567 +n07733712 +n07734017 +n07734183 +n07734292 +n07734417 +n07734555 +n07734744 +n07734879 +n07735404 +n07735510 +n07735687 +n07735803 +n07736087 +n07736256 +n07736371 +n07736692 +n07736813 +n07737745 +n07739125 +n07739344 +n07739506 +n07740033 +n07740220 +n07740342 +n07740461 +n07740597 +n07740954 +n07741138 +n07741461 +n07742012 +n07742313 +n07742704 +n07743224 +n07743544 +n07743902 +n07744057 +n07744246 +n07744430 +n07744682 +n07744811 +n07745046 +n07745466 +n07745940 +n07746186 +n07746334 +n07746551 +n07747055 +n07747607 +n07747951 +n07748157 +n07748276 +n07748416 +n07748574 +n07748753 +n07748912 +n07749192 +n07749312 +n07749446 +n07749582 +n07749731 +n07749969 +n07750146 +n07750449 +n07750736 +n07750872 +n07751004 +n07751148 +n07751280 +n07751451 +n07752109 +n07752377 +n07752514 +n07752966 +n07753113 +n07753275 +n07753592 +n07753743 +n07753980 +n07754451 +n07754684 +n07754894 +n07755089 +n07755411 +n07755707 +n07755929 +n07756325 +n07756951 +n07757132 +n07757312 +n07757511 +n07757990 +n07758680 +n07759194 +n07759816 +n07760153 +n07760859 +n07761141 +n07761309 +n07762114 +n07762244 +n07762740 +n07762913 +n07763107 +n07763629 +n07763792 +n07763987 +n07764155 +n07764315 +n07764630 +n07764847 +n07765073 +n07765208 +n07765361 +n07765862 +n07765999 +n07766173 +n07766891 +n07767002 +n07767171 +n07767344 +n07767549 +n07767709 +n07767847 +n07768068 +n07768230 +n07768423 +n07768694 +n07768858 +n07769584 +n07769731 +n07770034 +n07770763 +n07771212 +n07771731 +n07772147 +n07772274 +n07772788 +n07772935 +n07774596 +n07774719 +n07774842 +n07775050 +n07775197 +n07800740 +n07801091 +n07801342 +n07801508 +n07801779 +n07801892 +n07802026 +n07802417 +n07802863 +n07802963 +n07803093 +n07803545 +n07804323 +n07804543 +n07804657 +n07804771 +n07804900 +n07805594 +n07805731 +n07806120 +n07806221 +n07806633 +n07806774 +n07807002 +n07807171 +n07807472 +n07807594 +n07807710 +n07807834 +n07807922 +n07808587 +n07808904 +n07809096 +n07810907 +n07812184 +n07814203 +n07814390 +n07814487 +n07814634 +n07815424 +n07815588 +n07816052 +n07816164 +n07816296 +n07816398 +n07816575 +n07816839 +n07817024 +n07817160 +n07817315 +n07817871 +n07818277 +n07818572 +n07818689 +n07818825 +n07818995 +n07819166 +n07819769 +n07819896 +n07820145 +n07820497 +n07820683 +n07821260 +n07821758 +n07821919 +n07822197 +n07822323 +n07822518 +n07822845 +n07823105 +n07823280 +n07823460 +n07823698 +n07823951 +n07824191 +n07824702 +n07825194 +n07825972 +n07826091 +n07826453 +n07826930 +n07827130 +n07827284 +n07827410 +n07827750 +n07828642 +n07829248 +n07829331 +n07829412 +n07830593 +n07831146 +n07831267 +n07832416 +n07832902 +n07834065 +n07834507 +n07834618 +n07834872 +n07835331 +n07835457 +n07835921 +n07836838 +n07837002 +n07837362 +n07837912 +n07838073 +n07838233 +n07838441 +n07838551 +n07840027 +n07840804 +n07841345 +n07841495 +n07841639 +n07841800 +n07841907 +n07842044 +n07842130 +n07842202 +n07842308 +n07842433 +n07842605 +n07842753 +n07843464 +n07843636 +n07843775 +n07844042 +n07844867 +n07845087 +n07845702 +n07846143 +n07847198 +n07847453 +n07847827 +n07847917 +n07848093 +n07848196 +n07848338 +n07849336 +n07849619 +n07849733 +n07849912 +n07850083 +n07850329 +n07851298 +n07851443 +n07851554 +n07851641 +n07851767 +n07852229 +n07852614 +n07852833 +n07854184 +n07854982 +n07855510 +n07855907 +n07857170 +n07857731 +n07858978 +n07859284 +n07859583 +n07859796 +n07860103 +n07860331 +n07860447 +n07860805 +n07860988 +n07861158 +n07861557 +n07861813 +n07862095 +n07862244 +n07862348 +n07862461 +n07862611 +n07863374 +n07863547 +n07863802 +n07864756 +n07864934 +n07865105 +n07865196 +n07865484 +n07866015 +n07866151 +n07866277 +n07866409 +n07866723 +n07866868 +n07867021 +n07867164 +n07867324 +n07867421 +n07867616 +n07867751 +n07868200 +n07868340 +n07868508 +n07868830 +n07868955 +n07869522 +n07869611 +n07869775 +n07870069 +n07870167 +n07870313 +n07871234 +n07871436 +n07871720 +n07871810 +n07872593 +n07873057 +n07873348 +n07873464 +n07873807 +n07874063 +n07874159 +n07874259 +n07874343 +n07874441 +n07874780 +n07875152 +n07875436 +n07875693 +n07876651 +n07877187 +n07877299 +n07877675 +n07877849 +n07877961 +n07878647 +n07878785 +n07878926 +n07879072 +n07879174 +n07879350 +n07879450 +n07879659 +n07879953 +n07880080 +n07880213 +n07880325 +n07880458 +n07880751 +n07880880 +n07880968 +n07881205 +n07881404 +n07881800 +n07882497 +n07883031 +n07883251 +n07884567 +n07885705 +n07886057 +n07886176 +n07886463 +n07886572 +n07886849 +n07887099 +n07887192 +n07887304 +n07887461 +n07887634 +n07887967 +n07888229 +n07888465 +n07888816 +n07889274 +n07889510 +n07889814 +n07890068 +n07890226 +n07890352 +n07890540 +n07890750 +n07891189 +n07891309 +n07891433 +n07891726 +n07892418 +n07892512 +n07892813 +n07893253 +n07893528 +n07893642 +n07893891 +n07894102 +n07894298 +n07894451 +n07894551 +n07894703 +n07894799 +n07894965 +n07895100 +n07895237 +n07895435 +n07895595 +n07895710 +n07895839 +n07895962 +n07896060 +n07896165 +n07896287 +n07896661 +n07896893 +n07896994 +n07897116 +n07897438 +n07897600 +n07897750 +n07897865 +n07897975 +n07898117 +n07898247 +n07898333 +n07898443 +n07898617 +n07898745 +n07899003 +n07899108 +n07899292 +n07899434 +n07899533 +n07899660 +n07899769 +n07899899 +n07900225 +n07900406 +n07900616 +n07900734 +n07900825 +n07900958 +n07901355 +n07901457 +n07901587 +n07902121 +n07902336 +n07902443 +n07902799 +n07902937 +n07903101 +n07903208 +n07903543 +n07903643 +n07903731 +n07903841 +n07903962 +n07904395 +n07904637 +n07904760 +n07904865 +n07904934 +n07905038 +n07905296 +n07905386 +n07905474 +n07905979 +n07906111 +n07906284 +n07906572 +n07906718 +n07906877 +n07907037 +n07907161 +n07907342 +n07907429 +n07907548 +n07907831 +n07907943 +n07908411 +n07908567 +n07908647 +n07908812 +n07909129 +n07909593 +n07910048 +n07910152 +n07910379 +n07910538 +n07910656 +n07911249 +n07911371 +n07911677 +n07912211 +n07913393 +n07913882 +n07914006 +n07914128 +n07914271 +n07914413 +n07914586 +n07914777 +n07914995 +n07915094 +n07915491 +n07915618 +n07915918 +n07916041 +n07916183 +n07916319 +n07917133 +n07917272 +n07917392 +n07917507 +n07917618 +n07918028 +n07918193 +n07918879 +n07919310 +n07919441 +n07919572 +n07920052 +n07920222 +n07920349 +n07920540 +n07920663 +n07920872 +n07920989 +n07921239 +n07921455 +n07921615 +n07922512 +n07922764 +n07923748 +n07924033 +n07924276 +n07924443 +n07924560 +n07924747 +n07924834 +n07924955 +n07925116 +n07925229 +n07925500 +n07925608 +n07925966 +n07926250 +n07926920 +n07927197 +n07927512 +n07927931 +n07928163 +n07928367 +n07928488 +n07928696 +n07928790 +n07928887 +n07929172 +n07929351 +n07929519 +n07930062 +n07930315 +n07930433 +n07930554 +n07930864 +n07931452 +n07931612 +n07931870 +n07932039 +n07932841 +n07933154 +n07933274 +n07933799 +n07934282 +n07935043 +n07935379 +n07935504 +n07935737 +n07935878 +n07936263 +n07936548 +n07936745 +n07937461 +n07938007 +n07938149 +n07938313 +n07942152 +n07951464 +n07954211 +n07977870 +n08182379 +n08242223 +n08249459 +n08256735 +n08376250 +n08492461 +n08494231 +n08495908 +n08505018 +n08517676 +n08518171 +n08521623 +n08524735 +n08539072 +n08547468 +n08547544 +n08551296 +n08555710 +n08560295 +n08571898 +n08573842 +n08578517 +n08579352 +n08580944 +n08583292 +n08583455 +n08584914 +n08596076 +n08598301 +n08598568 +n08611339 +n08614632 +n08616050 +n08628141 +n08633683 +n08640531 +n08640739 +n08640962 +n08645104 +n08645212 +n08649711 +n08658309 +n08659446 +n08659861 +n08663703 +n08673039 +n08677424 +n09189157 +n09191635 +n09193705 +n09194227 +n09199101 +n09205509 +n09206896 +n09206985 +n09208496 +n09210862 +n09217230 +n09218315 +n09218494 +n09218641 +n09219233 +n09224725 +n09228055 +n09229709 +n09230041 +n09230202 +n09233446 +n09238926 +n09239302 +n09242389 +n09245515 +n09246464 +n09247410 +n09249034 +n09251407 +n09256479 +n09257843 +n09259025 +n09259219 +n09260907 +n09263912 +n09265620 +n09267854 +n09269341 +n09269472 +n09270735 +n09274152 +n09279986 +n09282208 +n09283193 +n09283405 +n09283767 +n09283866 +n09287968 +n09288635 +n09289331 +n09290444 +n09294877 +n09295946 +n09300905 +n09302616 +n09303008 +n09303528 +n09304750 +n09305898 +n09308572 +n09308743 +n09309168 +n09309292 +n09326662 +n09331251 +n09332890 +n09335809 +n09337253 +n09344324 +n09348460 +n09349648 +n09359803 +n09361517 +n09362945 +n09366317 +n09376198 +n09376526 +n09376786 +n09381242 +n09382099 +n09384106 +n09392402 +n09393605 +n09396465 +n09398076 +n09398677 +n09399592 +n09400987 +n09403211 +n09403427 +n09403734 +n09405078 +n09406793 +n09409512 +n09409752 +n09411189 +n09415584 +n09415671 +n09416076 +n09416890 +n09421799 +n09421951 +n09428293 +n09428628 +n09432283 +n09433442 +n09433839 +n09435739 +n09436444 +n09436708 +n09437454 +n09438844 +n09438940 +n09439213 +n09442595 +n09443281 +n09443641 +n09444783 +n09445008 +n09445289 +n09447666 +n09448690 +n09450163 +n09451237 +n09452395 +n09452760 +n09453008 +n09454153 +n09454412 +n09457979 +n09460046 +n09461069 +n09466678 +n09468604 +n09472413 +n09472597 +n09475044 +n09475179 +n09475925 +n09481120 +n09505153 +n09606527 +n09607630 +n09607903 +n09610405 +n09616922 +n09618760 +n09618880 +n09618957 +n09619168 +n09620078 +n09620794 +n09621232 +n09622302 +n09624168 +n09624559 +n09626238 +n09627906 +n09629752 +n09632518 +n09635534 +n09636339 +n09637339 +n09638454 +n09638875 +n09639919 +n09641002 +n09643799 +n09644152 +n09650729 +n09651123 +n09652149 +n09654518 +n09659039 +n09659188 +n09661873 +n09666883 +n09670521 +n09675922 +n09676021 +n09676247 +n09676884 +n09679170 +n09681234 +n09683757 +n09683924 +n09684901 +n09686401 +n09688804 +n09689435 +n09689958 +n09690621 +n09691729 +n09692915 +n09693982 +n09694664 +n09694771 +n09695620 +n09695979 +n09696456 +n09696585 +n09696763 +n09697401 +n09698644 +n09700964 +n09701148 +n09701833 +n09703485 +n09705124 +n09705784 +n09706255 +n09707289 +n09708750 +n09708889 +n09711435 +n09712324 +n09712448 +n09712696 +n09713108 +n09714694 +n09715427 +n09717233 +n09718217 +n09718811 +n09718936 +n09719309 +n09719794 +n09720033 +n09720256 +n09720595 +n09720842 +n09722658 +n09723067 +n09724533 +n09724656 +n09724785 +n09725000 +n09725653 +n09725772 +n09727440 +n09727826 +n09728137 +n09728285 +n09730077 +n09730204 +n09730824 +n09731343 +n09731436 +n09732170 +n09733793 +n09734185 +n09734450 +n09734535 +n09734639 +n09736945 +n09738121 +n09740724 +n09742101 +n09742315 +n09743487 +n09743792 +n09744161 +n09744834 +n09747191 +n09747495 +n09749386 +n09750282 +n09750770 +n09750891 +n09751496 +n09751895 +n09752023 +n09752519 +n09753792 +n09756049 +n09757449 +n09758885 +n09759501 +n09760609 +n09763784 +n09764598 +n09764900 +n09767197 +n09770179 +n09770359 +n09772930 +n09774783 +n09776346 +n09779790 +n09782167 +n09782397 +n09785659 +n09785891 +n09787534 +n09787765 +n09789566 +n09791014 +n09791419 +n09791816 +n09792555 +n09792969 +n09793141 +n09796809 +n09797873 +n09800964 +n09801533 +n09805151 +n09805324 +n09809749 +n09809925 +n09811852 +n09813219 +n09814660 +n09816771 +n09818022 +n09820263 +n09822830 +n09823502 +n09823832 +n09824135 +n09824609 +n09827246 +n09827363 +n09828216 +n09830194 +n09830400 +n09830629 +n09832456 +n09833441 +n09833536 +n09834378 +n09834699 +n09835230 +n09835348 +n09835506 +n09836160 +n09836343 +n09836519 +n09836786 +n09838621 +n09839702 +n09840217 +n09840520 +n09841188 +n09841696 +n09842047 +n09842395 +n09842528 +n09843443 +n09843824 +n09844457 +n09845401 +n09846469 +n09846755 +n09846894 +n09847543 +n09851165 +n09854218 +n09854421 +n09855433 +n09856671 +n09858165 +n09859152 +n09861599 +n09861863 +n09861946 +n09862621 +n09863031 +n09866817 +n09871229 +n09871681 +n09871867 +n09872066 +n09873348 +n09873473 +n09873899 +n09874428 +n09874725 +n09874862 +n09877288 +n09877750 +n09877951 +n09881265 +n09881895 +n09886403 +n09889065 +n09889170 +n09889941 +n09890749 +n09893191 +n09893344 +n09893502 +n09894143 +n09894445 +n09895222 +n09895561 +n09896170 +n09896401 +n09896685 +n09899671 +n09899782 +n09899929 +n09901337 +n09902954 +n09903153 +n09903501 +n09904208 +n09904837 +n09905185 +n09906449 +n09911226 +n09913455 +n09913593 +n09915434 +n09915651 +n09916348 +n09917214 +n09917593 +n09918248 +n09918554 +n09920283 +n09923186 +n09923418 +n09923561 +n09923673 +n09924106 +n09924996 +n09927451 +n09928136 +n09929298 +n09929577 +n09930257 +n09930876 +n09931165 +n09932098 +n09932336 +n09932508 +n09933098 +n09934337 +n09934774 +n09936825 +n09938449 +n09941787 +n09941964 +n09942970 +n09943239 +n09943811 +n09944022 +n09944430 +n09945745 +n09946814 +n09951274 +n09951616 +n09953350 +n09954639 +n09964202 +n09967967 +n09971273 +n09972010 +n09972458 +n09974648 +n09975425 +n09976283 +n09976429 +n09981278 +n09981540 +n09981939 +n09988063 +n09988493 +n09988703 +n09989502 +n09990415 +n09990690 +n09990777 +n09991867 +n09993252 +n10001481 +n10002760 +n10004718 +n10005934 +n10007684 +n10009276 +n10013811 +n10015485 +n10017272 +n10019072 +n10019406 +n10020890 +n10024362 +n10025635 +n10026976 +n10027246 +n10033412 +n10033663 +n10034201 +n10034614 +n10036692 +n10036929 +n10037385 +n10037922 +n10038409 +n10039271 +n10040945 +n10042845 +n10043491 +n10043643 +n10048612 +n10049363 +n10053808 +n10054657 +n10055410 +n10058962 +n10060352 +n10069296 +n10070108 +n10070711 +n10075693 +n10076224 +n10076604 +n10076957 +n10077593 +n10078131 +n10078719 +n10078806 +n10079399 +n10080869 +n10081204 +n10082043 +n10082687 +n10082997 +n10084295 +n10085869 +n10086383 +n10087434 +n10091450 +n10091564 +n10091651 +n10092488 +n10092643 +n10092794 +n10092978 +n10093475 +n10093818 +n10095769 +n10098245 +n10098517 +n10098624 +n10098710 +n10098862 +n10102800 +n10104064 +n10105733 +n10107303 +n10112129 +n10115430 +n10116702 +n10117739 +n10117851 +n10120330 +n10120671 +n10123122 +n10123844 +n10127689 +n10129825 +n10131151 +n10131815 +n10132035 +n10134178 +n10134982 +n10135129 +n10137825 +n10140597 +n10140929 +n10141364 +n10141732 +n10142391 +n10142747 +n10143172 +n10144338 +n10145239 +n10145340 +n10145480 +n10145590 +n10145774 +n10145902 +n10146002 +n10146104 +n10146416 +n10147121 +n10147935 +n10148035 +n10150071 +n10150940 +n10151760 +n10152763 +n10153414 +n10153594 +n10155849 +n10157128 +n10159045 +n10159533 +n10160280 +n10164233 +n10164492 +n10165448 +n10167152 +n10167838 +n10168837 +n10169147 +n10173410 +n10173771 +n10174330 +n10174445 +n10175248 +n10178216 +n10182190 +n10183931 +n10185483 +n10185793 +n10186216 +n10187990 +n10188957 +n10189278 +n10191001 +n10192839 +n10195593 +n10200781 +n10202624 +n10203949 +n10205231 +n10205457 +n10207169 +n10208950 +n10209082 +n10209731 +n10210911 +n10212501 +n10215623 +n10216106 +n10221312 +n10223177 +n10225219 +n10226413 +n10229883 +n10233248 +n10235024 +n10235385 +n10236304 +n10237069 +n10237196 +n10237676 +n10241300 +n10242328 +n10243137 +n10243664 +n10247358 +n10247880 +n10249270 +n10249459 +n10252222 +n10253122 +n10253296 +n10258786 +n10259348 +n10259780 +n10259997 +n10260706 +n10260800 +n10261624 +n10262445 +n10262561 +n10262655 +n10263411 +n10263790 +n10267311 +n10267865 +n10274815 +n10275395 +n10276477 +n10277027 +n10279018 +n10280674 +n10282482 +n10282672 +n10283170 +n10288964 +n10289039 +n10289462 +n10290919 +n10293332 +n10296176 +n10296444 +n10297234 +n10297531 +n10297841 +n10298647 +n10298912 +n10299250 +n10300154 +n10300303 +n10300500 +n10303814 +n10304086 +n10304914 +n10305802 +n10308168 +n10308732 +n10313000 +n10313239 +n10313724 +n10314054 +n10314517 +n10314836 +n10315456 +n10315561 +n10316360 +n10317007 +n10317500 +n10318293 +n10318607 +n10320863 +n10321340 +n10323634 +n10324560 +n10325774 +n10327987 +n10328123 +n10331167 +n10332385 +n10332861 +n10333439 +n10333601 +n10333838 +n10334009 +n10339717 +n10340312 +n10341573 +n10342992 +n10343355 +n10345015 +n10346015 +n10347446 +n10348526 +n10353016 +n10355142 +n10355449 +n10356877 +n10357613 +n10359546 +n10360747 +n10362319 +n10362557 +n10364198 +n10366966 +n10368528 +n10368624 +n10369317 +n10370955 +n10373390 +n10375052 +n10375314 +n10375402 +n10376523 +n10377021 +n10377185 +n10378026 +n10380672 +n10382710 +n10382825 +n10384392 +n10384496 +n10385566 +n10386984 +n10387196 +n10387324 +n10393909 +n10395828 +n10396106 +n10400108 +n10400437 +n10400618 +n10401331 +n10401639 +n10403876 +n10405694 +n10406266 +n10406391 +n10406765 +n10407310 +n10407954 +n10410246 +n10411551 +n10415037 +n10419472 +n10419785 +n10420507 +n10421016 +n10421470 +n10421956 +n10422405 +n10427764 +n10431625 +n10432441 +n10435169 +n10435988 +n10439373 +n10439851 +n10441962 +n10449664 +n10450161 +n10450303 +n10451450 +n10453184 +n10461060 +n10464052 +n10465451 +n10465831 +n10467179 +n10467395 +n10469874 +n10470779 +n10472129 +n10473917 +n10474645 +n10476467 +n10477713 +n10481268 +n10482220 +n10483138 +n10485883 +n10486166 +n10487182 +n10488656 +n10493685 +n10495756 +n10498816 +n10498986 +n10499232 +n10499355 +n10500217 +n10500419 +n10500603 +n10502329 +n10504206 +n10505613 +n10506915 +n10508141 +n10508710 +n10509063 +n10510245 +n10512372 +n10513823 +n10514429 +n10521100 +n10521662 +n10522035 +n10522759 +n10523341 +n10524076 +n10525436 +n10525617 +n10528023 +n10529231 +n10530150 +n10530959 +n10536416 +n10540114 +n10542608 +n10542761 +n10542888 +n10548537 +n10548681 +n10550369 +n10553235 +n10559288 +n10559508 +n10559996 +n10560106 +n10562135 +n10562283 +n10563314 +n10563403 +n10565667 +n10566072 +n10568358 +n10568608 +n10569179 +n10572706 +n10572889 +n10574538 +n10574840 +n10575463 +n10577284 +n10578021 +n10578471 +n10581890 +n10582746 +n10583387 +n10583790 +n10585077 +n10588074 +n10588357 +n10588965 +n10595164 +n10595647 +n10598181 +n10599806 +n10602470 +n10602985 +n10603851 +n10604380 +n10604979 +n10607291 +n10607478 +n10610465 +n10610850 +n10611267 +n10611613 +n10613996 +n10618342 +n10620586 +n10620758 +n10622053 +n10624074 +n10624310 +n10624437 +n10624540 +n10627252 +n10628644 +n10629939 +n10630188 +n10631309 +n10633450 +n10634849 +n10635788 +n10638922 +n10639359 +n10639637 +n10642596 +n10644598 +n10645017 +n10649197 +n10652605 +n10655594 +n10657835 +n10661563 +n10665587 +n10665698 +n10667477 +n10667863 +n10671613 +n10671736 +n10672371 +n10674713 +n10675010 +n10678937 +n10679174 +n10680609 +n10680796 +n10682953 +n10685398 +n10686073 +n10686885 +n10688356 +n10689306 +n10690648 +n10692482 +n10694258 +n10696508 +n10698368 +n10701180 +n10701644 +n10701962 +n10707134 +n10707233 +n10709529 +n10711766 +n10718131 +n10719132 +n10721321 +n10726031 +n10727171 +n10727458 +n10728624 +n10730728 +n10732010 +n10734394 +n10734891 +n10737103 +n10738111 +n10739391 +n10740868 +n10745006 +n10746931 +n10747119 +n10748620 +n10750031 +n10750640 +n10753442 +n10754189 +n10755080 +n10756148 +n10757050 +n10763075 +n10763383 +n10763620 +n10765679 +n10772092 +n10773665 +n10780284 +n10780632 +n10782471 +n10787470 +n10791115 +n10791221 +n10792335 +n10793570 +n10802507 +n10804287 +n10806113 +n11448153 +n11487732 +n11508382 +n11524451 +n11532682 +n11533212 +n11536673 +n11537327 +n11542137 +n11542640 +n11544015 +n11545714 +n11547855 +n11552133 +n11552806 +n11599324 +n11600372 +n11601177 +n11601333 +n11601918 +n11602873 +n11603246 +n11603835 +n11608250 +n11609475 +n11609862 +n11610215 +n11611087 +n11611233 +n11611356 +n11611561 +n11611758 +n11612018 +n11612349 +n11612575 +n11613219 +n11613459 +n11614039 +n11614250 +n11614420 +n11614713 +n11615026 +n11615387 +n11615607 +n11615967 +n11616486 +n11616662 +n11617090 +n11617272 +n11617631 +n11618290 +n11618525 +n11618861 +n11619227 +n11619455 +n11620673 +n11621029 +n11621281 +n11621547 +n11621727 +n11621950 +n11622184 +n11622368 +n11622591 +n11622771 +n11623105 +n11623815 +n11623967 +n11624192 +n11624531 +n11625003 +n11625223 +n11625632 +n11625804 +n11626152 +n11626409 +n11626585 +n11626826 +n11627168 +n11627512 +n11627908 +n11628087 +n11628456 +n11628793 +n11630017 +n11631854 +n11632167 +n11632619 +n11634736 +n11635152 +n11635433 +n11635830 +n11636204 +n11636835 +n11639445 +n11640132 +n11643835 +n11644046 +n11644226 +n11644462 +n11645590 +n11645914 +n11646167 +n11646344 +n11646694 +n11647306 +n11647703 +n11650558 +n11652376 +n11653904 +n11655974 +n11658331 +n11658544 +n11660300 +n11661372 +n11661909 +n11662371 +n11664418 +n11665372 +n11666854 +n11669786 +n11669921 +n11672269 +n11672400 +n11675025 +n11676500 +n11678010 +n11680596 +n11682659 +n11686912 +n11690254 +n11690455 +n11691046 +n11691857 +n11692265 +n11692792 +n11693981 +n11694664 +n11695599 +n11695974 +n11698042 +n11699442 +n11700058 +n11701066 +n11703669 +n11704093 +n11704620 +n11705171 +n11705387 +n11705776 +n11706761 +n11707229 +n11709205 +n11709674 +n11710136 +n11710393 +n11710827 +n11711537 +n11711764 +n11712282 +n11714382 +n11715430 +n11715678 +n11717577 +n11719286 +n11720353 +n11720643 +n11720891 +n11721337 +n11722466 +n11722982 +n11723227 +n11723770 +n11724109 +n11725015 +n11725311 +n11725480 +n11725821 +n11725973 +n11726269 +n11726707 +n11727091 +n11727358 +n11727540 +n11727738 +n11728099 +n11728945 +n11730602 +n11731659 +n11732567 +n11733054 +n11733312 +n11733548 +n11735053 +n11736694 +n11736851 +n11737534 +n11748811 +n11752937 +n11753143 +n11753355 +n11753700 +n11754893 +n11756092 +n11756669 +n11756870 +n11757653 +n11757851 +n11758122 +n11758276 +n11758483 +n11758799 +n11759224 +n11759404 +n11759853 +n11760785 +n11761202 +n11762433 +n11769176 +n11769621 +n11769803 +n11770256 +n11772408 +n11772879 +n11773987 +n11774513 +n11777080 +n11778257 +n11779300 +n11780148 +n11781176 +n11782036 +n11782761 +n11783920 +n11784126 +n11784497 +n11785668 +n11786131 +n11786539 +n11788727 +n11789066 +n11789589 +n11791341 +n11791569 +n11792029 +n11792341 +n11792742 +n11793779 +n11794024 +n11794519 +n11795049 +n11797321 +n11800236 +n11801891 +n11802586 +n11802800 +n11805544 +n11805956 +n11806219 +n11807108 +n11807525 +n11807979 +n11808299 +n11808468 +n11808721 +n11808932 +n11809094 +n11809271 +n11809437 +n11809594 +n11810358 +n11811473 +n11811706 +n11811921 +n11812094 +n11812910 +n11813077 +n11814584 +n11815491 +n11815721 +n11815918 +n11816121 +n11816336 +n11816649 +n11816829 +n11817914 +n11818069 +n11819509 +n11819912 +n11820965 +n11821184 +n11823436 +n11824146 +n11825351 +n11826198 +n11830906 +n11832214 +n11832480 +n11834654 +n11836722 +n11837970 +n11838916 +n11839568 +n11839823 +n11840067 +n11844371 +n11844892 +n11845557 +n11845793 +n11845913 +n11846765 +n11847169 +n11848479 +n11849467 +n11849871 +n11849983 +n11850521 +n11851258 +n11851578 +n11851839 +n11852028 +n11853356 +n11853813 +n11854479 +n11855274 +n11855553 +n11857875 +n11859472 +n11859737 +n11860555 +n11861641 +n11861853 +n11862835 +n11865874 +n11866248 +n11870418 +n11870747 +n11872146 +n11874081 +n11875523 +n11875691 +n11875938 +n11876204 +n11876432 +n11876634 +n11876803 +n11877193 +n11877283 +n11877646 +n11878101 +n11879054 +n11879722 +n11879895 +n11882074 +n11882426 +n11883328 +n11887119 +n11888800 +n11889619 +n11890150 +n11891175 +n11892029 +n11892637 +n11892817 +n11893640 +n11894327 +n11894558 +n11894770 +n11895092 +n11896722 +n11897116 +n11898775 +n11900569 +n11901294 +n11901597 +n11901759 +n11901977 +n11902200 +n11902389 +n11902709 +n11902982 +n11903671 +n11904109 +n11905392 +n11905749 +n11906917 +n11907100 +n11907689 +n11908549 +n11908846 +n11910271 +n11910460 +n11915214 +n11915658 +n11915899 +n11916467 +n11916696 +n11918286 +n11918473 +n11921395 +n11923174 +n11923397 +n11923637 +n11924445 +n11924849 +n11925303 +n11925898 +n11926365 +n11926833 +n11927215 +n11928352 +n11928858 +n11929743 +n11931540 +n11931918 +n11933546 +n11933728 +n11934616 +n11934807 +n11935469 +n11939180 +n11939491 +n11939699 +n11940006 +n11940599 +n11941924 +n11943407 +n11943660 +n11943992 +n11944196 +n11944954 +n11945514 +n11945783 +n11946727 +n11947629 +n11947802 +n11948264 +n11948864 +n11949015 +n11949402 +n11950345 +n11950686 +n11950877 +n11953038 +n11953610 +n11953884 +n11954161 +n11954345 +n11954642 +n11955153 +n11955896 +n11956348 +n11956850 +n11957678 +n11958080 +n11959632 +n11959862 +n11960245 +n11961100 +n11961446 +n11962272 +n11962667 +n11963932 +n11965218 +n11965627 +n11966083 +n11966215 +n11966617 +n11966896 +n11968704 +n11968931 +n11969166 +n11969607 +n11970586 +n11971248 +n11971406 +n11971783 +n11971927 +n11972291 +n11972759 +n11973341 +n11977303 +n11978233 +n11978551 +n11978713 +n11978961 +n11979527 +n11979715 +n11979964 +n11980318 +n11980682 +n11981192 +n11982115 +n11984144 +n11984542 +n11986511 +n11987126 +n11988596 +n11989393 +n11989869 +n11990167 +n11990313 +n11991263 +n11992806 +n11995092 +n11998888 +n12001707 +n12002428 +n12003167 +n12003696 +n12004547 +n12005656 +n12006766 +n12006930 +n12007196 +n12007406 +n12008252 +n12008487 +n12008749 +n12009420 +n12011620 +n12012111 +n12014085 +n12015221 +n12015525 +n12015959 +n12016567 +n12018760 +n12019827 +n12020184 +n12020507 +n12020736 +n12020941 +n12022054 +n12023108 +n12023407 +n12023726 +n12024445 +n12024690 +n12026018 +n12026476 +n12026981 +n12027222 +n12027658 +n12029635 +n12030908 +n12031139 +n12031927 +n12033709 +n12034141 +n12034384 +n12036939 +n12037499 +n12037691 +n12038406 +n12038585 +n12038898 +n12039317 +n12041446 +n12043444 +n12043673 +n12043836 +n12044467 +n12046028 +n12046428 +n12046815 +n12047345 +n12047884 +n12048056 +n12048399 +n12049282 +n12049562 +n12050533 +n12050959 +n12051103 +n12052447 +n12052787 +n12053405 +n12053690 +n12055516 +n12056217 +n12056601 +n12056758 +n12057211 +n12057447 +n12057660 +n12058192 +n12058630 +n12058822 +n12059314 +n12059625 +n12061380 +n12061614 +n12062468 +n12062626 +n12062781 +n12063639 +n12064389 +n12064591 +n12065316 +n12065777 +n12066018 +n12066261 +n12066630 +n12067193 +n12068432 +n12069217 +n12069679 +n12070016 +n12070381 +n12070583 +n12070712 +n12071744 +n12072722 +n12073554 +n12073991 +n12074408 +n12074867 +n12075010 +n12075151 +n12075299 +n12075830 +n12076223 +n12076577 +n12076852 +n12077944 +n12078172 +n12079120 +n12079963 +n12080395 +n12080820 +n12081215 +n12083113 +n12083591 +n12083847 +n12084555 +n12084890 +n12085267 +n12085664 +n12086012 +n12086192 +n12086539 +n12086778 +n12088223 +n12090890 +n12091213 +n12091377 +n12091550 +n12091953 +n12092262 +n12092417 +n12093329 +n12093600 +n12094612 +n12095020 +n12095647 +n12098403 +n12099342 +n12101870 +n12102133 +n12104238 +n12104501 +n12104734 +n12105125 +n12107710 +n12107970 +n12108871 +n12109365 +n12110085 +n12110778 +n12112008 +n12112609 +n12112918 +n12113195 +n12115180 +n12116429 +n12119238 +n12121610 +n12122725 +n12123741 +n12124627 +n12124818 +n12127460 +n12127768 +n12128071 +n12129134 +n12133462 +n12133682 +n12134025 +n12135049 +n12136392 +n12137120 +n12137569 +n12139575 +n12141167 +n12142085 +n12144313 +n12144580 +n12145477 +n12146311 +n12148757 +n12150722 +n12151615 +n12152532 +n12152722 +n12154773 +n12155009 +n12157056 +n12158031 +n12158443 +n12159055 +n12159388 +n12160303 +n12160490 +n12160857 +n12161056 +n12161969 +n12162181 +n12162425 +n12164363 +n12164656 +n12164881 +n12165170 +n12166128 +n12166424 +n12166793 +n12167075 +n12167436 +n12167602 +n12168565 +n12171098 +n12171316 +n12171966 +n12172364 +n12172481 +n12172906 +n12173069 +n12173664 +n12173912 +n12174311 +n12174521 +n12178896 +n12179122 +n12180168 +n12180885 +n12184912 +n12185859 +n12187247 +n12189429 +n12189987 +n12190410 +n12190869 +n12194147 +n12195533 +n12196336 +n12196527 +n12196694 +n12198286 +n12199790 +n12200143 +n12201331 +n12201580 +n12202936 +n12203529 +n12204032 +n12204175 +n12205694 +n12214789 +n12215022 +n12215579 +n12217453 +n12223569 +n12223764 +n12224978 +n12225563 +n12227658 +n12228229 +n12228387 +n12230794 +n12237486 +n12237641 +n12240477 +n12242409 +n12243109 +n12244153 +n12244650 +n12244819 +n12245319 +n12246232 +n12249542 +n12252168 +n12257570 +n12258885 +n12260799 +n12261571 +n12261808 +n12262018 +n12262185 +n12263038 +n12263738 +n12263987 +n12264512 +n12265600 +n12266217 +n12266796 +n12267411 +n12267677 +n12268246 +n12269241 +n12269406 +n12270027 +n12270741 +n12270946 +n12271933 +n12272239 +n12272883 +n12273114 +n12273344 +n12273768 +n12273939 +n12274358 +n12274863 +n12275131 +n12275675 +n12275888 +n12276110 +n12276477 +n12276628 +n12276872 +n12277150 +n12277578 +n12277800 +n12278107 +n12278371 +n12278650 +n12279458 +n12279772 +n12280060 +n12281241 +n12281788 +n12281974 +n12282235 +n12282527 +n12282737 +n12282933 +n12283542 +n12284262 +n12284821 +n12285369 +n12285900 +n12286826 +n12286988 +n12287836 +n12288005 +n12288823 +n12290748 +n12291143 +n12291959 +n12293723 +n12294124 +n12294331 +n12294723 +n12294871 +n12295033 +n12295796 +n12296432 +n12300840 +n12301180 +n12301445 +n12302071 +n12302248 +n12303083 +n12303462 +n12304115 +n12304703 +n12304899 +n12305089 +n12305293 +n12305475 +n12305819 +n12305986 +n12306089 +n12306717 +n12307076 +n12307240 +n12309277 +n12311579 +n12312728 +n12315598 +n12315999 +n12316444 +n12316572 +n12317296 +n12318378 +n12319204 +n12319414 +n12320010 +n12320806 +n12322099 +n12322501 +n12322699 +n12325234 +n12328398 +n12328567 +n12329260 +n12329473 +n12330469 +n12330587 +n12330891 +n12331655 +n12332030 +n12332555 +n12333053 +n12333530 +n12333771 +n12334293 +n12336092 +n12336224 +n12336333 +n12336727 +n12336973 +n12337617 +n12338258 +n12338454 +n12338655 +n12338796 +n12339831 +n12340383 +n12340755 +n12342299 +n12342498 +n12342852 +n12343480 +n12344283 +n12344483 +n12344700 +n12344837 +n12345280 +n12345899 +n12347158 +n12350758 +n12352287 +n12352639 +n12352844 +n12352990 +n12353203 +n12353754 +n12356023 +n12356960 +n12357485 +n12360108 +n12360684 +n12361135 +n12361946 +n12362274 +n12362668 +n12367611 +n12368028 +n12368257 +n12368451 +n12369309 +n12371439 +n12373100 +n12374418 +n12383894 +n12384037 +n12384227 +n12384839 +n12385429 +n12385566 +n12387633 +n12387839 +n12388143 +n12388858 +n12388989 +n12389130 +n12389501 +n12390099 +n12390314 +n12392549 +n12393269 +n12397431 +n12399132 +n12399384 +n12400489 +n12400720 +n12401684 +n12402051 +n12402348 +n12402596 +n12402840 +n12403994 +n12405714 +n12406488 +n12406715 +n12406902 +n12407079 +n12407222 +n12407890 +n12408077 +n12408717 +n12409231 +n12409470 +n12409840 +n12412355 +n12412606 +n12413165 +n12413301 +n12413419 +n12413880 +n12414035 +n12414449 +n12414818 +n12414932 +n12415595 +n12416073 +n12418221 +n12421137 +n12421683 +n12421917 +n12422129 +n12426623 +n12426749 +n12427184 +n12427391 +n12427566 +n12427757 +n12428076 +n12428412 +n12428747 +n12429352 +n12432356 +n12433081 +n12433178 +n12433769 +n12435152 +n12435649 +n12435777 +n12437513 +n12437769 +n12437930 +n12441183 +n12441390 +n12441958 +n12443323 +n12446519 +n12448700 +n12449296 +n12449526 +n12450344 +n12450840 +n12451240 +n12451399 +n12451915 +n12452836 +n12453186 +n12454159 +n12454436 +n12454705 +n12454949 +n12455950 +n12457091 +n12458550 +n12459629 +n12460697 +n12460957 +n12461109 +n12461466 +n12461673 +n12462805 +n12463134 +n12465557 +n12466727 +n12469517 +n12472024 +n12473608 +n12473840 +n12474167 +n12475035 +n12475242 +n12476510 +n12477163 +n12477583 +n12477747 +n12478768 +n12479537 +n12480456 +n12480895 +n12481458 +n12482437 +n12482668 +n12482893 +n12483427 +n12483625 +n12483841 +n12484784 +n12485653 +n12485981 +n12486574 +n12489815 +n12491017 +n12491826 +n12492106 +n12493208 +n12494794 +n12495146 +n12495895 +n12496427 +n12496949 +n12498055 +n12501202 +n12504570 +n12504783 +n12506341 +n12506991 +n12508309 +n12509476 +n12509665 +n12513172 +n12513613 +n12513933 +n12514138 +n12515711 +n12515925 +n12516828 +n12517445 +n12517642 +n12519089 +n12519563 +n12521394 +n12523475 +n12527738 +n12528549 +n12528974 +n12529220 +n12530629 +n12530818 +n12532564 +n12539306 +n12540250 +n12544539 +n12545635 +n12546183 +n12546617 +n12546962 +n12547215 +n12547503 +n12548280 +n12549192 +n12552309 +n12554911 +n12556656 +n12557438 +n12557556 +n12557681 +n12558230 +n12558425 +n12560282 +n12560621 +n12560775 +n12561169 +n12562785 +n12564083 +n12566954 +n12568186 +n12570394 +n12570703 +n12570972 +n12571781 +n12573474 +n12574320 +n12574866 +n12575322 +n12575812 +n12576323 +n12577895 +n12578626 +n12578916 +n12579038 +n12580654 +n12580896 +n12582231 +n12582665 +n12582846 +n12583126 +n12583401 +n12584191 +n12584715 +n12585629 +n12587132 +n12587803 +n12588320 +n12588780 +n12590232 +n12590499 +n12591017 +n12591351 +n12593994 +n12595699 +n12595964 +n12596148 +n12596709 +n12596849 +n12597134 +n12597466 +n12597798 +n12598027 +n12599435 +n12602262 +n12602980 +n12603449 +n12604228 +n12606438 +n12606545 +n12607456 +n12610328 +n12614477 +n12615232 +n12620196 +n12620546 +n12620969 +n12621410 +n12622297 +n12622875 +n12623077 +n12624381 +n12624568 +n12625383 +n12627119 +n12628986 +n12629305 +n12629666 +n12630763 +n12631331 +n12632335 +n12633638 +n12633994 +n12634211 +n12634429 +n12634734 +n12634986 +n12635532 +n12635744 +n12635955 +n12636224 +n12638218 +n12638753 +n12639584 +n12640839 +n12641007 +n12641413 +n12642090 +n12642200 +n12643313 +n12643473 +n12644902 +n12645174 +n12646605 +n12646740 +n12647560 +n12647893 +n12648045 +n12648888 +n12649065 +n12649317 +n12649539 +n12650379 +n12650556 +n12651229 +n12651611 +n12651821 +n12655869 +n12656369 +n12656685 +n12657082 +n12658118 +n12658308 +n12658481 +n12659064 +n12659356 +n12659539 +n12662772 +n12663023 +n12665048 +n12665271 +n12665857 +n12666965 +n12670758 +n12671651 +n12675299 +n12675876 +n12676534 +n12676703 +n12680402 +n12680864 +n12681893 +n12682411 +n12682668 +n12683407 +n12683571 +n12683791 +n12684379 +n12685431 +n12685831 +n12686077 +n12686274 +n12686676 +n12687044 +n12687462 +n12687698 +n12687957 +n12688716 +n12691428 +n12691661 +n12694486 +n12695975 +n12696492 +n12698598 +n12700088 +n12703190 +n12703383 +n12703557 +n12703856 +n12704343 +n12706410 +n12707781 +n12708293 +n12708654 +n12708941 +n12709103 +n12709688 +n12709901 +n12710295 +n12710415 +n12710577 +n12710693 +n12711596 +n12711817 +n12711984 +n12713063 +n12713866 +n12714755 +n12717072 +n12717224 +n12719684 +n12719944 +n12720200 +n12723610 +n12724942 +n12725738 +n12726159 +n12726670 +n12727101 +n12727518 +n12729315 +n12729521 +n12729729 +n12731029 +n12731401 +n12731835 +n12732009 +n12732491 +n12732756 +n12732966 +n12733218 +n12733647 +n12733870 +n12734070 +n12737383 +n12737898 +n12739332 +n12741222 +n12741792 +n12743352 +n12744387 +n12745386 +n12746884 +n12749049 +n12749679 +n12749852 +n12752205 +n12753007 +n12753245 +n12753573 +n12753762 +n12754003 +n12754468 +n12754648 +n12754781 +n12754981 +n12755225 +n12755387 +n12755727 +n12756457 +n12757303 +n12757458 +n12757816 +n12759273 +n12761284 +n12762049 +n12762896 +n12764202 +n12765115 +n12766595 +n12766869 +n12768682 +n12771192 +n12771390 +n12771597 +n12772753 +n12772908 +n12773651 +n12774299 +n12774641 +n12775919 +n12777680 +n12778398 +n12778605 +n12779603 +n12779851 +n12781940 +n12782530 +n12782915 +n12784889 +n12785724 +n12785889 +n12788854 +n12789054 +n12790430 +n12791064 +n12791329 +n12793015 +n12793284 +n12793494 +n12794135 +n12794367 +n12794985 +n12795352 +n12795555 +n12796022 +n12797860 +n12799776 +n12801520 +n12801781 +n12803754 +n12805146 +n12805561 +n12806015 +n12806732 +n12807251 +n12807409 +n12807773 +n12810595 +n12811027 +n12812478 +n12813189 +n12814643 +n12815198 +n12816508 +n12817464 +n12817694 +n12818346 +n12818966 +n12819728 +n12820853 +n12821505 +n12821895 +n12822115 +n12822769 +n12822955 +n12823717 +n12823859 +n12824053 +n12825497 +n12827270 +n12827537 +n12828220 +n12828791 +n12830222 +n12830568 +n12832315 +n12832538 +n12833149 +n12833985 +n12834798 +n12835331 +n12836212 +n12836337 +n12836508 +n12836862 +n12840362 +n12840749 +n12841007 +n12841193 +n12841354 +n12843970 +n12844939 +n12845413 +n12847008 +n12847374 +n12847927 +n12848499 +n12849061 +n12849279 +n12849416 +n12849952 +n12850168 +n12850336 +n12850906 +n12851469 +n12853482 +n12854600 +n12855494 +n12856091 +n12856287 +n12856479 +n12856680 +n12858150 +n12858397 +n12858618 +n12858871 +n12859986 +n12860365 +n12861345 +n12861892 +n12862512 +n12863624 +n12864160 +n12865037 +n12865562 +n12865708 +n12865824 +n12866002 +n12866162 +n12866459 +n12866635 +n12867826 +n12869061 +n12869478 +n12870535 +n12870682 +n12870891 +n12877838 +n12879527 +n12879963 +n12880244 +n12880462 +n12882779 +n12882945 +n12884100 +n12884260 +n12887293 +n12889219 +n12889713 +n12890265 +n12890490 +n12890685 +n12890928 +n12891093 +n12891305 +n12891469 +n12891643 +n12893463 +n12893993 +n12895811 +n12898774 +n12899537 +n12899752 +n12901724 +n12902662 +n12904314 +n12905412 +n12906214 +n12908645 +n12909421 +n12909917 +n12911079 +n12911440 +n12911673 +n12913791 +n12914923 +n12915568 +n12915811 +n12916179 +n12916511 +n12917901 +n12919403 +n12919646 +n12919847 +n12920204 +n12920955 +n12921868 +n12922763 +n12924623 +n12925179 +n12926480 +n12926689 +n12927013 +n12927494 +n12928071 +n12929403 +n12931542 +n12932173 +n12932365 +n12932966 +n12934036 +n12934174 +n12934479 +n12934985 +n12935609 +n12937130 +n12938193 +n12939282 +n12939874 +n12940226 +n12940609 +n12942395 +n12942572 +n12946849 +n12947313 +n12947544 +n12948053 +n12948251 +n12948495 +n12950126 +n12950314 +n12951146 +n12951835 +n12953206 +n12953484 +n12957924 +n12961879 +n12963628 +n12965626 +n12966945 +n12969131 +n12969425 +n12973443 +n12974987 +n12975804 +n12979829 +n12980840 +n12982468 +n12983048 +n12985420 +n12985773 +n12985857 +n12986227 +n12987056 +n12988158 +n12989938 +n12991184 +n12992177 +n12992868 +n12995601 +n12997654 +n12997919 +n12998815 +n13000891 +n13001041 +n13001206 +n13001366 +n13001529 +n13001930 +n13002750 +n13002925 +n13003061 +n13003254 +n13003522 +n13003712 +n13004423 +n13005329 +n13005984 +n13006171 +n13006631 +n13006894 +n13007034 +n13007417 +n13008315 +n13009085 +n13009429 +n13011595 +n13012253 +n13013534 +n13013764 +n13014409 +n13014741 +n13017102 +n13017240 +n13019835 +n13020191 +n13020964 +n13021689 +n13022210 +n13022709 +n13023134 +n13024012 +n13025647 +n13028611 +n13029326 +n13029760 +n13032115 +n13032381 +n13032618 +n13032923 +n13033134 +n13033577 +n13034062 +n13035241 +n13035707 +n13037406 +n13038068 +n13038744 +n13039349 +n13040303 +n13040629 +n13041312 +n13043926 +n13044375 +n13044778 +n13046669 +n13049953 +n13050397 +n13052670 +n13052931 +n13053608 +n13054073 +n13054560 +n13055423 +n13055577 +n13055949 +n13060190 +n13061348 +n13062421 +n13065089 +n13066448 +n13068255 +n13072528 +n13074619 +n13077033 +n13077295 +n13079073 +n13083023 +n13084184 +n13084834 +n13085747 +n13090871 +n13091620 +n13099999 +n13100677 +n13102775 +n13103877 +n13104059 +n13107694 +n13107891 +n13108131 +n13108323 +n13108481 +n13108545 +n13108841 +n13111881 +n13121349 +n13122364 +n13123431 +n13125117 +n13126856 +n13127843 +n13128976 +n13130726 +n13131028 +n13131618 +n13132338 +n13132656 +n13133613 +n13133932 +n13134947 +n13135832 +n13136316 +n13136556 +n13137409 +n13138842 +n13141415 +n13141564 +n13142504 +n13145040 +n13145250 +n13146583 +n13147270 +n13148208 +n13150894 +n13154388 +n13154494 +n13155095 +n13155305 +n13158512 +n13160604 +n13163991 +n13172923 +n13173882 +n13177048 +n13177884 +n13180534 +n13180875 +n13181055 +n13181811 +n13183056 +n13183489 +n13185269 +n13187367 +n13190747 +n13192625 +n13193642 +n13193856 +n13194036 +n13194572 +n13195341 +n13196003 +n13197274 +n13197507 +n13198914 +n13199717 +n13199970 +n13200651 +n13201969 +n13205058 +n13206817 +n13207094 +n13207335 +n13209808 +n13213066 +n13214340 +n13215586 +n13219422 +n13219833 +n13219976 +n13220122 +n13221529 +n13223588 +n13223710 +n13223843 +n13226871 +n13229543 +n13231078 +n13232779 +n13234678 +n13235159 +n13235503 +n13237188 +n13238375 +n13238988 +n13579829 +n13653902 +n13862407 +n13863020 +n13863771 +n13864035 +n13865298 +n13865483 +n13865904 +n13868944 +n13869547 +n13869788 +n13869896 +n13872592 +n13872822 +n13873502 +n13873917 +n13875392 +n13875571 +n13876561 +n13878306 +n13879049 +n13879320 +n13880994 +n13881644 +n13882201 +n13882276 +n13882563 +n13886260 +n13895262 +n13896100 +n13896217 +n13897996 +n13898207 +n13900287 +n13900422 +n13901211 +n13901321 +n13901858 +n13902048 +n13902336 +n13905792 +n13907272 +n13908201 +n13908580 +n13912260 +n13912540 +n13914608 +n13915023 +n13915113 +n13916721 +n13918274 +n13918387 +n13919547 +n13919919 +n13926786 +n14131950 +n14564779 +n14685296 +n14696793 +n14698884 +n14765422 +n14785065 +n14810561 +n14820180 +n14844693 +n14858292 +n14900342 +n14908027 +n14915184 +n14919819 +n14973585 +n14974264 +n14976759 +n14976871 +n14977504 +n15019030 +n15062057 +n15067877 +n15075141 +n15086247 +n15089258 +n15090065 +n15091129 +n15091304 +n15091473 +n15091669 +n15091846 +n15092059 +n15092227 +n15092650 +n15092942 +n15093137 +n15093298 +n15102455 +n15102894 diff --git a/timm/data/_info/imagenet21k_miil_w21_synsets.txt b/timm/data/_info/imagenet21k_miil_w21_synsets.txt new file mode 100644 index 00000000..5e4aee34 --- /dev/null +++ b/timm/data/_info/imagenet21k_miil_w21_synsets.txt @@ -0,0 +1,10450 @@ +n00005787 +n00006484 +n00007846 +n00015388 +n00017222 +n00021265 +n00021939 +n00120010 +n00141669 +n00288000 +n00288384 +n00324978 +n00326094 +n00433458 +n00433661 +n00433802 +n00434075 +n00439826 +n00440039 +n00440382 +n00440509 +n00440747 +n00440941 +n00441073 +n00441824 +n00442115 +n00442437 +n00442847 +n00442981 +n00443231 +n00443692 +n00443803 +n00444651 +n00444846 +n00444937 +n00445055 +n00445226 +n00445351 +n00445685 +n00445802 +n00446311 +n00446493 +n00446804 +n00446980 +n00447073 +n00447221 +n00447463 +n00447540 +n00447957 +n00448126 +n00448232 +n00448466 +n00448640 +n00448748 +n00448872 +n00448958 +n00449054 +n00449168 +n00449295 +n00449517 +n00449695 +n00449796 +n00449892 +n00449977 +n00450070 +n00450335 +n00450700 +n00450866 +n00450998 +n00451186 +n00451370 +n00451563 +n00451635 +n00452034 +n00452152 +n00452293 +n00452864 +n00453126 +n00453313 +n00453396 +n00453478 +n00453935 +n00454237 +n00454395 +n00454493 +n00454624 +n00454983 +n00455173 +n00456465 +n00463246 +n00463543 +n00464277 +n00464478 +n00464651 +n00464894 +n00466273 +n00466377 +n00466524 +n00466630 +n00466712 +n00466880 +n00467320 +n00467536 +n00467719 +n00467995 +n00468299 +n00468480 +n00469651 +n00470554 +n00470682 +n00470830 +n00470966 +n00471437 +n00471613 +n00474568 +n00474657 +n00475014 +n00475273 +n00475403 +n00475535 +n00475787 +n00476235 +n00476389 +n00477392 +n00477639 +n00478262 +n00479076 +n00479440 +n00479616 +n00479887 +n00480211 +n00480366 +n00480508 +n00480993 +n00481803 +n00482122 +n00482298 +n00483205 +n00483313 +n00483409 +n00483508 +n00483605 +n00483705 +n00483848 +n00523513 +n00825773 +n00887544 +n01055165 +n01314388 +n01314663 +n01314781 +n01315213 +n01316422 +n01317089 +n01317294 +n01317541 +n01317813 +n01317916 +n01318279 +n01318381 +n01318894 +n01319467 +n01321123 +n01321230 +n01321456 +n01321579 +n01321770 +n01321854 +n01322221 +n01322343 +n01322508 +n01322604 +n01322685 +n01322898 +n01322983 +n01323068 +n01323155 +n01323261 +n01323355 +n01323493 +n01323599 +n01324431 +n01324610 +n01326291 +n01338685 +n01339083 +n01339336 +n01339471 +n01339801 +n01340014 +n01379389 +n01381044 +n01384164 +n01392275 +n01392380 +n01395254 +n01396048 +n01397114 +n01397871 +n01402600 +n01405007 +n01407798 +n01410457 +n01415626 +n01421807 +n01424420 +n01438581 +n01439121 +n01439514 +n01440764 +n01441117 +n01442972 +n01443243 +n01443537 +n01443831 +n01444339 +n01446760 +n01447331 +n01447658 +n01448291 +n01448594 +n01448951 +n01449374 +n01449712 +n01451426 +n01453087 +n01454545 +n01455778 +n01456756 +n01457852 +n01459791 +n01462042 +n01462544 +n01464844 +n01468238 +n01468712 +n01469103 +n01471682 +n01472303 +n01477525 +n01477875 +n01482071 +n01482330 +n01483830 +n01484097 +n01484850 +n01485479 +n01486838 +n01487506 +n01488038 +n01489501 +n01489709 +n01489920 +n01490112 +n01490360 +n01490670 +n01491006 +n01491361 +n01491874 +n01492569 +n01493146 +n01494475 +n01495006 +n01495493 +n01495701 +n01496331 +n01497118 +n01498041 +n01498989 +n01499396 +n01500091 +n01500476 +n01501160 +n01503061 +n01503976 +n01504179 +n01504344 +n01514668 +n01514752 +n01514859 +n01515303 +n01517565 +n01517966 +n01518878 +n01519563 +n01519873 +n01520576 +n01521399 +n01521756 +n01524359 +n01526521 +n01527194 +n01527347 +n01527617 +n01527917 +n01528396 +n01528654 +n01528845 +n01529672 +n01530439 +n01530575 +n01531178 +n01531344 +n01531512 +n01531811 +n01531971 +n01532325 +n01532511 +n01532829 +n01533000 +n01533339 +n01533481 +n01533651 +n01533893 +n01534155 +n01534433 +n01534582 +n01535140 +n01535469 +n01535690 +n01536035 +n01536186 +n01536334 +n01536644 +n01536780 +n01537134 +n01537544 +n01537895 +n01538059 +n01538200 +n01538630 +n01538955 +n01539573 +n01539925 +n01540090 +n01540233 +n01540566 +n01540832 +n01541102 +n01541386 +n01541760 +n01541922 +n01542786 +n01543175 +n01543632 +n01544389 +n01544704 +n01545574 +n01546039 +n01546506 +n01547832 +n01548301 +n01548492 +n01548865 +n01549053 +n01549430 +n01549641 +n01549886 +n01550172 +n01551080 +n01551300 +n01551711 +n01552034 +n01552813 +n01553142 +n01554448 +n01555004 +n01555305 +n01555809 +n01556182 +n01557185 +n01557962 +n01558149 +n01558307 +n01558461 +n01558594 +n01558765 +n01558993 +n01559477 +n01559639 +n01559804 +n01560105 +n01560280 +n01560419 +n01560636 +n01560793 +n01560935 +n01561452 +n01561732 +n01562014 +n01562265 +n01562451 +n01563128 +n01563449 +n01563746 +n01563945 +n01564217 +n01564394 +n01564773 +n01564914 +n01565078 +n01565345 +n01565599 +n01565930 +n01566207 +n01566645 +n01567133 +n01567678 +n01567879 +n01568294 +n01568720 +n01568892 +n01569060 +n01569262 +n01569423 +n01569566 +n01569836 +n01569971 +n01570267 +n01570421 +n01570676 +n01570839 +n01571904 +n01572328 +n01572489 +n01572654 +n01572782 +n01573074 +n01573240 +n01573360 +n01573898 +n01574045 +n01574390 +n01574560 +n01574801 +n01575117 +n01575401 +n01575745 +n01576076 +n01576695 +n01577035 +n01577659 +n01577941 +n01578180 +n01578575 +n01579028 +n01579149 +n01579260 +n01579410 +n01579578 +n01579729 +n01580077 +n01580870 +n01581166 +n01581730 +n01581984 +n01582220 +n01582398 +n01582856 +n01583209 +n01583495 +n01583828 +n01584225 +n01584695 +n01584853 +n01585121 +n01585287 +n01585422 +n01585715 +n01586020 +n01586374 +n01586941 +n01587526 +n01587834 +n01588002 +n01588725 +n01589286 +n01589718 +n01589893 +n01591005 +n01591123 +n01591301 +n01591697 +n01592084 +n01592257 +n01592387 +n01592540 +n01592694 +n01593028 +n01594004 +n01594372 +n01594787 +n01594968 +n01595168 +n01595450 +n01595974 +n01596273 +n01596608 +n01597022 +n01597336 +n01597737 +n01597906 +n01598074 +n01598588 +n01598988 +n01599159 +n01599269 +n01599556 +n01600085 +n01600657 +n01601068 +n01601694 +n01602630 +n01602832 +n01603152 +n01603600 +n01603812 +n01603953 +n01604330 +n01604968 +n01605630 +n01606522 +n01606672 +n01606809 +n01607600 +n01607812 +n01607962 +n01608265 +n01608432 +n01608814 +n01609062 +n01609391 +n01609751 +n01609956 +n01610100 +n01610226 +n01610552 +n01610955 +n01611472 +n01611800 +n01611969 +n01612122 +n01612275 +n01612476 +n01612628 +n01613177 +n01613294 +n01613615 +n01613807 +n01614038 +n01614343 +n01614556 +n01614925 +n01615121 +n01615303 +n01615458 +n01615703 +n01616086 +n01616318 +n01617095 +n01617443 +n01617766 +n01618082 +n01618503 +n01619310 +n01619536 +n01619835 +n01620135 +n01620414 +n01620735 +n01621127 +n01621635 +n01622120 +n01622352 +n01622483 +n01622779 +n01622959 +n01623110 +n01623425 +n01623615 +n01623706 +n01623880 +n01624115 +n01624537 +n01624833 +n01625562 +n01627424 +n01628770 +n01629276 +n01629819 +n01629962 +n01630284 +n01630670 +n01630901 +n01631354 +n01631663 +n01632458 +n01632601 +n01632777 +n01633406 +n01633781 +n01635027 +n01636352 +n01636829 +n01637615 +n01639765 +n01640846 +n01641206 +n01641391 +n01641577 +n01641739 +n01642257 +n01642539 +n01643507 +n01643896 +n01644373 +n01644900 +n01645776 +n01646292 +n01646388 +n01646555 +n01646648 +n01646802 +n01646902 +n01647303 +n01647640 +n01648139 +n01648620 +n01649170 +n01650167 +n01650690 +n01651059 +n01652026 +n01654637 +n01661091 +n01662622 +n01662784 +n01663401 +n01663782 +n01664065 +n01664369 +n01664492 +n01664674 +n01664990 +n01665541 +n01665932 +n01666228 +n01666585 +n01667114 +n01667432 +n01667778 +n01668091 +n01668436 +n01668665 +n01668892 +n01669191 +n01669372 +n01669654 +n01670092 +n01670535 +n01670802 +n01671125 +n01671479 +n01672032 +n01673282 +n01674464 +n01674990 +n01675722 +n01677366 +n01677747 +n01678043 +n01678343 +n01679307 +n01679626 +n01679962 +n01680264 +n01680478 +n01680655 +n01680813 +n01681328 +n01681653 +n01681940 +n01682172 +n01682435 +n01682714 +n01683558 +n01684133 +n01684578 +n01685808 +n01687665 +n01687978 +n01688243 +n01689081 +n01689811 +n01690149 +n01691217 +n01692333 +n01692523 +n01693175 +n01693334 +n01693783 +n01694178 +n01694709 +n01694955 +n01695060 +n01696633 +n01697178 +n01697457 +n01697611 +n01698434 +n01698640 +n01698782 +n01699040 +n01699675 +n01701859 +n01704323 +n01713764 +n01726692 +n01727646 +n01728572 +n01728920 +n01729322 +n01729977 +n01730185 +n01730307 +n01730563 +n01730812 +n01730960 +n01731545 +n01731941 +n01732244 +n01732614 +n01732789 +n01733466 +n01733757 +n01733957 +n01734104 +n01734418 +n01734637 +n01734808 +n01735189 +n01735439 +n01735577 +n01737021 +n01737472 +n01737728 +n01737875 +n01738065 +n01738601 +n01739381 +n01740131 +n01740551 +n01741232 +n01741562 +n01741943 +n01742172 +n01742821 +n01743086 +n01743605 +n01743936 +n01744100 +n01744270 +n01744401 +n01745125 +n01745484 +n01745902 +n01746359 +n01747589 +n01747885 +n01748264 +n01748686 +n01748906 +n01749244 +n01749582 +n01749742 +n01749939 +n01750167 +n01750437 +n01751036 +n01751472 +n01751748 +n01752165 +n01752585 +n01752736 +n01753032 +n01753180 +n01753488 +n01753959 +n01754370 +n01754533 +n01754876 +n01755581 +n01755740 +n01756089 +n01756291 +n01756508 +n01756733 +n01757115 +n01757343 +n01757677 +n01757901 +n01758141 +n01758757 +n01768244 +n01769347 +n01770081 +n01770393 +n01770795 +n01771417 +n01772222 +n01772664 +n01773157 +n01773549 +n01773797 +n01774384 +n01774750 +n01775062 +n01775370 +n01776313 +n01777304 +n01778217 +n01779148 +n01779629 +n01782209 +n01782516 +n01784675 +n01785667 +n01786646 +n01787835 +n01789740 +n01790711 +n01791107 +n01791463 +n01791625 +n01791954 +n01792042 +n01792158 +n01792429 +n01792640 +n01792955 +n01793249 +n01793435 +n01793715 +n01794158 +n01794344 +n01794651 +n01795088 +n01795545 +n01795735 +n01796340 +n01796519 +n01796729 +n01797020 +n01797307 +n01797601 +n01797886 +n01798168 +n01798484 +n01798706 +n01798839 +n01800424 +n01801876 +n01803078 +n01803362 +n01804163 +n01804478 +n01804653 +n01805801 +n01806143 +n01806297 +n01806364 +n01806467 +n01806567 +n01806847 +n01807105 +n01807496 +n01807828 +n01808140 +n01809106 +n01809371 +n01809752 +n01810268 +n01811909 +n01812337 +n01812662 +n01812866 +n01813088 +n01813385 +n01813532 +n01813948 +n01814217 +n01814370 +n01814755 +n01814921 +n01815601 +n01816887 +n01817263 +n01817346 +n01817953 +n01818299 +n01818515 +n01818832 +n01819115 +n01819313 +n01819465 +n01819734 +n01820052 +n01820348 +n01820546 +n01821076 +n01821203 +n01821869 +n01822300 +n01823013 +n01823414 +n01824035 +n01824575 +n01825278 +n01826364 +n01826680 +n01827403 +n01827793 +n01828096 +n01828556 +n01828970 +n01829413 +n01829869 +n01830042 +n01830915 +n01832167 +n01832493 +n01833805 +n01834177 +n01834540 +n01835276 +n01837072 +n01838598 +n01839086 +n01839330 +n01839598 +n01839750 +n01840120 +n01840775 +n01841102 +n01841288 +n01841441 +n01841679 +n01842235 +n01842504 +n01843065 +n01843383 +n01843719 +n01844231 +n01844551 +n01844917 +n01845132 +n01846331 +n01847000 +n01847089 +n01847170 +n01847253 +n01847407 +n01847806 +n01847978 +n01848123 +n01848323 +n01848453 +n01848555 +n01848648 +n01848840 +n01848976 +n01849157 +n01849466 +n01849676 +n01849863 +n01850192 +n01850373 +n01850553 +n01850873 +n01851038 +n01851207 +n01851375 +n01851573 +n01851731 +n01851895 +n01852142 +n01852329 +n01852400 +n01852671 +n01852861 +n01853195 +n01853498 +n01853666 +n01853870 +n01854415 +n01854700 +n01854838 +n01855032 +n01855188 +n01855476 +n01855672 +n01856072 +n01856155 +n01856380 +n01856553 +n01856890 +n01857079 +n01857325 +n01857512 +n01857632 +n01857851 +n01858281 +n01858441 +n01858780 +n01858845 +n01858906 +n01859190 +n01859325 +n01859496 +n01859689 +n01859852 +n01860002 +n01860187 +n01861778 +n01862399 +n01871265 +n01872401 +n01872772 +n01873310 +n01874434 +n01874928 +n01875313 +n01876034 +n01877134 +n01877606 +n01877812 +n01878929 +n01879217 +n01879509 +n01881171 +n01882714 +n01883070 +n01884834 +n01885498 +n01886756 +n01887474 +n01887623 +n01887787 +n01887896 +n01888045 +n01888181 +n01888264 +n01888411 +n01889520 +n01891633 +n01893825 +n01896844 +n01897536 +n01899894 +n01900150 +n01903346 +n01904029 +n01904806 +n01904886 +n01905661 +n01906749 +n01909906 +n01910747 +n01913166 +n01914609 +n01914830 +n01915700 +n01915811 +n01916187 +n01916388 +n01916481 +n01916925 +n01917289 +n01917611 +n01917882 +n01918744 +n01922303 +n01923025 +n01924916 +n01930112 +n01934440 +n01935395 +n01937909 +n01938454 +n01940736 +n01942869 +n01943087 +n01943899 +n01944118 +n01944390 +n01944812 +n01944955 +n01945143 +n01945685 +n01946630 +n01947396 +n01948573 +n01949085 +n01950731 +n01951274 +n01951613 +n01953361 +n01953594 +n01953762 +n01955084 +n01955933 +n01956344 +n01956481 +n01956764 +n01957335 +n01958038 +n01958346 +n01958531 +n01959492 +n01959985 +n01960177 +n01960459 +n01961985 +n01963317 +n01963571 +n01964049 +n01964271 +n01964441 +n01965529 +n01965889 +n01968897 +n01970164 +n01970667 +n01971280 +n01972541 +n01974773 +n01976146 +n01976868 +n01976957 +n01978287 +n01978455 +n01979874 +n01980166 +n01981276 +n01982068 +n01982347 +n01982650 +n01983481 +n01984245 +n01984695 +n01985128 +n01986214 +n01986806 +n01987545 +n01990007 +n01990800 +n01991028 +n01991520 +n01992773 +n01994910 +n01998183 +n01998741 +n01999186 +n02000954 +n02002075 +n02002556 +n02002724 +n02003037 +n02003204 +n02003577 +n02003839 +n02004131 +n02004492 +n02004855 +n02005399 +n02005790 +n02006063 +n02006364 +n02006656 +n02006985 +n02007284 +n02007558 +n02008041 +n02008497 +n02008643 +n02008796 +n02009229 +n02009380 +n02009508 +n02009750 +n02009912 +n02010272 +n02010453 +n02010728 +n02011016 +n02011281 +n02011460 +n02011805 +n02011943 +n02012185 +n02012849 +n02013177 +n02013567 +n02013706 +n02014237 +n02014524 +n02014941 +n02015357 +n02015554 +n02016066 +n02016358 +n02016659 +n02016816 +n02016956 +n02017213 +n02017475 +n02017725 +n02018027 +n02018207 +n02018368 +n02018795 +n02019190 +n02019929 +n02021050 +n02021795 +n02022684 +n02023341 +n02023855 +n02023992 +n02024185 +n02024479 +n02024763 +n02025043 +n02025239 +n02025389 +n02026059 +n02026629 +n02026948 +n02027075 +n02027357 +n02027492 +n02027897 +n02028035 +n02028175 +n02028342 +n02028451 +n02028727 +n02028900 +n02029087 +n02029378 +n02029706 +n02030035 +n02030287 +n02030837 +n02030996 +n02031585 +n02031934 +n02032222 +n02032355 +n02032480 +n02033041 +n02033208 +n02033561 +n02033779 +n02034129 +n02034295 +n02034661 +n02034971 +n02035210 +n02036053 +n02036711 +n02037110 +n02037464 +n02037869 +n02038466 +n02038993 +n02040266 +n02041085 +n02041246 +n02041678 +n02041875 +n02042046 +n02042180 +n02042472 +n02042759 +n02043063 +n02043333 +n02043808 +n02044178 +n02044517 +n02044778 +n02044908 +n02045369 +n02045596 +n02045864 +n02046171 +n02046759 +n02046939 +n02047045 +n02047260 +n02047411 +n02047517 +n02047614 +n02047975 +n02048115 +n02048353 +n02049088 +n02050004 +n02050313 +n02050442 +n02050586 +n02050809 +n02051059 +n02051845 +n02052204 +n02052365 +n02052775 +n02053083 +n02053425 +n02053584 +n02054036 +n02054502 +n02054711 +n02055107 +n02055658 +n02055803 +n02056228 +n02056570 +n02056728 +n02057035 +n02057330 +n02057731 +n02058221 +n02058594 +n02059162 +n02060133 +n02060411 +n02060889 +n02062017 +n02062430 +n02062744 +n02063224 +n02063662 +n02064338 +n02064816 +n02065026 +n02065407 +n02066245 +n02066707 +n02067240 +n02068541 +n02068974 +n02069412 +n02069701 +n02069974 +n02070174 +n02070430 +n02071294 +n02071636 +n02072798 +n02073831 +n02074367 +n02075296 +n02075612 +n02075927 +n02076196 +n02076402 +n02076779 +n02077152 +n02077384 +n02077658 +n02077787 +n02077923 +n02078292 +n02078574 +n02078738 +n02079005 +n02079389 +n02079851 +n02080146 +n02080415 +n02081571 +n02081798 +n02082791 +n02083346 +n02083672 +n02084071 +n02084732 +n02084861 +n02085272 +n02085374 +n02085620 +n02085936 +n02086079 +n02086240 +n02086646 +n02086753 +n02086910 +n02087046 +n02087122 +n02087394 +n02087551 +n02088094 +n02088238 +n02088364 +n02088466 +n02088632 +n02088839 +n02089232 +n02089468 +n02089555 +n02090379 +n02090475 +n02090622 +n02090721 +n02090827 +n02091032 +n02091134 +n02091244 +n02091467 +n02091831 +n02092002 +n02092339 +n02092468 +n02093056 +n02093256 +n02093428 +n02093647 +n02093754 +n02093859 +n02093991 +n02094114 +n02094258 +n02094433 +n02094562 +n02094721 +n02094931 +n02095050 +n02095314 +n02095412 +n02095570 +n02095727 +n02095889 +n02096051 +n02096177 +n02096294 +n02096437 +n02096585 +n02096756 +n02097047 +n02097130 +n02097209 +n02097298 +n02097474 +n02097658 +n02097786 +n02098105 +n02098286 +n02098413 +n02098550 +n02098806 +n02098906 +n02099029 +n02099267 +n02099429 +n02099601 +n02099712 +n02099849 +n02099997 +n02100236 +n02100399 +n02100583 +n02100735 +n02100877 +n02101006 +n02101108 +n02101388 +n02101556 +n02101861 +n02102040 +n02102177 +n02102318 +n02102480 +n02102605 +n02102973 +n02103406 +n02103841 +n02104029 +n02104280 +n02104365 +n02104523 +n02104882 +n02105056 +n02105162 +n02105251 +n02105412 +n02105505 +n02105641 +n02105855 +n02106030 +n02106166 +n02106382 +n02106550 +n02106662 +n02106854 +n02106966 +n02107142 +n02107312 +n02107420 +n02107574 +n02107683 +n02107908 +n02108089 +n02108254 +n02108422 +n02108551 +n02108672 +n02108915 +n02109047 +n02109525 +n02109811 +n02109961 +n02110063 +n02110185 +n02110341 +n02110627 +n02110806 +n02110958 +n02111129 +n02111277 +n02111500 +n02111626 +n02111889 +n02112018 +n02112137 +n02112350 +n02112497 +n02112826 +n02113023 +n02113186 +n02113335 +n02113624 +n02113712 +n02113799 +n02114100 +n02114367 +n02114548 +n02114712 +n02114855 +n02115096 +n02115335 +n02115641 +n02115913 +n02116738 +n02117135 +n02117512 +n02117900 +n02118333 +n02119022 +n02119477 +n02119634 +n02119789 +n02120079 +n02120505 +n02120997 +n02121620 +n02121808 +n02122298 +n02122430 +n02122510 +n02122580 +n02122725 +n02122878 +n02122948 +n02123045 +n02123159 +n02123242 +n02123394 +n02123478 +n02123597 +n02123917 +n02124075 +n02124313 +n02124484 +n02124623 +n02125010 +n02125081 +n02125311 +n02125494 +n02126028 +n02126139 +n02126640 +n02126787 +n02127052 +n02127292 +n02127381 +n02127482 +n02127586 +n02127678 +n02127808 +n02128385 +n02128669 +n02128757 +n02128925 +n02129165 +n02129463 +n02129604 +n02129837 +n02129923 +n02129991 +n02130308 +n02131653 +n02132136 +n02132466 +n02132580 +n02132788 +n02133161 +n02133704 +n02134084 +n02134418 +n02135220 +n02136103 +n02137015 +n02137549 +n02138441 +n02138647 +n02138777 +n02139199 +n02139671 +n02140049 +n02146371 +n02146700 +n02147173 +n02147591 +n02147947 +n02150482 +n02152740 +n02152881 +n02153109 +n02156871 +n02157206 +n02159955 +n02160947 +n02161338 +n02161457 +n02162561 +n02163297 +n02164464 +n02165105 +n02165456 +n02165877 +n02166567 +n02166826 +n02167151 +n02167820 +n02168245 +n02168699 +n02169023 +n02169497 +n02169705 +n02169974 +n02172182 +n02172518 +n02172870 +n02173113 +n02173373 +n02174001 +n02174659 +n02175014 +n02175569 +n02175916 +n02176261 +n02176439 +n02177972 +n02180875 +n02181724 +n02183096 +n02184473 +n02188699 +n02190166 +n02190790 +n02191773 +n02191979 +n02192252 +n02192513 +n02195526 +n02195819 +n02196119 +n02196344 +n02197689 +n02198859 +n02200198 +n02200509 +n02200850 +n02201000 +n02202006 +n02203152 +n02204907 +n02205219 +n02205673 +n02206856 +n02207179 +n02207345 +n02207805 +n02208280 +n02208498 +n02208848 +n02209354 +n02209624 +n02210427 +n02211444 +n02211627 +n02212062 +n02212958 +n02213107 +n02213239 +n02213543 +n02213663 +n02213788 +n02214341 +n02214773 +n02215770 +n02216211 +n02216365 +n02218371 +n02219486 +n02220518 +n02220804 +n02221083 +n02221414 +n02222035 +n02226429 +n02226821 +n02226970 +n02227247 +n02228341 +n02229156 +n02229544 +n02229765 +n02231052 +n02231487 +n02233338 +n02233943 +n02234355 +n02234848 +n02236044 +n02236241 +n02236355 +n02236896 +n02239774 +n02240068 +n02240517 +n02241426 +n02242137 +n02243562 +n02244797 +n02246628 +n02250822 +n02251775 +n02252226 +n02254697 +n02256656 +n02257284 +n02257985 +n02258198 +n02259212 +n02262449 +n02262803 +n02264232 +n02264363 +n02264885 +n02266050 +n02266864 +n02268148 +n02268443 +n02268853 +n02270623 +n02272871 +n02273392 +n02274024 +n02274259 +n02274822 +n02275560 +n02275773 +n02276078 +n02276258 +n02276355 +n02276749 +n02276902 +n02277094 +n02277268 +n02277742 +n02278024 +n02278210 +n02278839 +n02278980 +n02279257 +n02279637 +n02279972 +n02280649 +n02281015 +n02281136 +n02281406 +n02281787 +n02282257 +n02282385 +n02282553 +n02282903 +n02283077 +n02283201 +n02283951 +n02284611 +n02284884 +n02285801 +n02286089 +n02287004 +n02288268 +n02288789 +n02291748 +n02292692 +n02295064 +n02295390 +n02297442 +n02298218 +n02298541 +n02299157 +n02299505 +n02299846 +n02300797 +n02301935 +n02302244 +n02302620 +n02302969 +n02303284 +n02304036 +n02304432 +n02305085 +n02305929 +n02307325 +n02307681 +n02308139 +n02308471 +n02308735 +n02309242 +n02309337 +n02310334 +n02310585 +n02310717 +n02310941 +n02311060 +n02311617 +n02312006 +n02312427 +n02312640 +n02313008 +n02316707 +n02317335 +n02317781 +n02318167 +n02319095 +n02319308 +n02319555 +n02321170 +n02321529 +n02323449 +n02324045 +n02324431 +n02324514 +n02324587 +n02324850 +n02325366 +n02325722 +n02326432 +n02326862 +n02327028 +n02327656 +n02327842 +n02328150 +n02328429 +n02329401 +n02330245 +n02331046 +n02332156 +n02332755 +n02333546 +n02333909 +n02334201 +n02337001 +n02338145 +n02339376 +n02341475 +n02341974 +n02342885 +n02343320 +n02343772 +n02346627 +n02348173 +n02350105 +n02352591 +n02353861 +n02355227 +n02355477 +n02356381 +n02356612 +n02356798 +n02356977 +n02357111 +n02357401 +n02357585 +n02357911 +n02358091 +n02358390 +n02358584 +n02358890 +n02359047 +n02359324 +n02359556 +n02359915 +n02360282 +n02361337 +n02361587 +n02361706 +n02363005 +n02363351 +n02364520 +n02364673 +n02364840 +n02365480 +n02366959 +n02367492 +n02370806 +n02372584 +n02372952 +n02373336 +n02374149 +n02374451 +n02375302 +n02376542 +n02376679 +n02376791 +n02376918 +n02377063 +n02377181 +n02377291 +n02377388 +n02377480 +n02377603 +n02377703 +n02378541 +n02378969 +n02379081 +n02379183 +n02379329 +n02379430 +n02379630 +n02379908 +n02380052 +n02380335 +n02380464 +n02380583 +n02380745 +n02380875 +n02381004 +n02381261 +n02381364 +n02381460 +n02381609 +n02381831 +n02382039 +n02382132 +n02382204 +n02382338 +n02382437 +n02382635 +n02382750 +n02382850 +n02382948 +n02383231 +n02385214 +n02386014 +n02386141 +n02386224 +n02386310 +n02386496 +n02386853 +n02386968 +n02387093 +n02387254 +n02387346 +n02387722 +n02387887 +n02388143 +n02388276 +n02388735 +n02388832 +n02388917 +n02389026 +n02389128 +n02389261 +n02389346 +n02389559 +n02389779 +n02390015 +n02390101 +n02390640 +n02391049 +n02391234 +n02391373 +n02391508 +n02391994 +n02392434 +n02392824 +n02393161 +n02393580 +n02393807 +n02393940 +n02394477 +n02395003 +n02395406 +n02395694 +n02396014 +n02396088 +n02396427 +n02397096 +n02397529 +n02397744 +n02398521 +n02399000 +n02402010 +n02402175 +n02402425 +n02403003 +n02403231 +n02403325 +n02403454 +n02403740 +n02403920 +n02404186 +n02404432 +n02404573 +n02404906 +n02405101 +n02405302 +n02405799 +n02405929 +n02406174 +n02406533 +n02406647 +n02406749 +n02407071 +n02407276 +n02407390 +n02407625 +n02407959 +n02408429 +n02408817 +n02409508 +n02410011 +n02410509 +n02410702 +n02410900 +n02411206 +n02411705 +n02411999 +n02412080 +n02412210 +n02412440 +n02412629 +n02413050 +n02413131 +n02413593 +n02414209 +n02414290 +n02414578 +n02414763 +n02415253 +n02415435 +n02415577 +n02415829 +n02416104 +n02416519 +n02416820 +n02416880 +n02416964 +n02417070 +n02417387 +n02417534 +n02417663 +n02417914 +n02418465 +n02419336 +n02419634 +n02419796 +n02420509 +n02420828 +n02421136 +n02421449 +n02421792 +n02422106 +n02422391 +n02422699 +n02423022 +n02423218 +n02423589 +n02424085 +n02424305 +n02424486 +n02424909 +n02425228 +n02425887 +n02426481 +n02426813 +n02427032 +n02427470 +n02427576 +n02427724 +n02428349 +n02428508 +n02429456 +n02430045 +n02430559 +n02430830 +n02431122 +n02431337 +n02431628 +n02431785 +n02431976 +n02432291 +n02432511 +n02432704 +n02432983 +n02433318 +n02433546 +n02433925 +n02434190 +n02434954 +n02437136 +n02437312 +n02437482 +n02437616 +n02438173 +n02438272 +n02438580 +n02439033 +n02439398 +n02441942 +n02442845 +n02443015 +n02443114 +n02443346 +n02443484 +n02444819 +n02445004 +n02445171 +n02445394 +n02445715 +n02446206 +n02447366 +n02447762 +n02448060 +n02449350 +n02450295 +n02453108 +n02454379 +n02454794 +n02456962 +n02457408 +n02457945 +n02458135 +n02460009 +n02460451 +n02461128 +n02461830 +n02469248 +n02469472 +n02469914 +n02470238 +n02470325 +n02472293 +n02472987 +n02473307 +n02474777 +n02475078 +n02475669 +n02480153 +n02480495 +n02480855 +n02481103 +n02481235 +n02481366 +n02481500 +n02481823 +n02482286 +n02482474 +n02482650 +n02483362 +n02483708 +n02484322 +n02484975 +n02485536 +n02486261 +n02486410 +n02486657 +n02486908 +n02487347 +n02487547 +n02487847 +n02488291 +n02488415 +n02488702 +n02489166 +n02490219 +n02490811 +n02491107 +n02492035 +n02492660 +n02493509 +n02493793 +n02494079 +n02496913 +n02497673 +n02499022 +n02499316 +n02499808 +n02500267 +n02501583 +n02503517 +n02504013 +n02504458 +n02508021 +n02508213 +n02508742 +n02509197 +n02509515 +n02509815 +n02510455 +n02512053 +n02512830 +n02512938 +n02514041 +n02516188 +n02517442 +n02518324 +n02519148 +n02519686 +n02519862 +n02520147 +n02522399 +n02523427 +n02524202 +n02525382 +n02526121 +n02527057 +n02527271 +n02527622 +n02530421 +n02530999 +n02532028 +n02532602 +n02533209 +n02533834 +n02534734 +n02535258 +n02535537 +n02535759 +n02536165 +n02536456 +n02536864 +n02537085 +n02537319 +n02537525 +n02537716 +n02538010 +n02538216 +n02541687 +n02542432 +n02543565 +n02548247 +n02549248 +n02549989 +n02555863 +n02556846 +n02557182 +n02557318 +n02557591 +n02557749 +n02560110 +n02561108 +n02561381 +n02561514 +n02561661 +n02562315 +n02562796 +n02563182 +n02563648 +n02563792 +n02564270 +n02564720 +n02565072 +n02565324 +n02565573 +n02568087 +n02568959 +n02569484 +n02570164 +n02570838 +n02572196 +n02572484 +n02573704 +n02574271 +n02576575 +n02576906 +n02577403 +n02578771 +n02578928 +n02579303 +n02579928 +n02580336 +n02580679 +n02580830 +n02581957 +n02583890 +n02584145 +n02584449 +n02585872 +n02586543 +n02588286 +n02589623 +n02590094 +n02590702 +n02592055 +n02593019 +n02595702 +n02596067 +n02596381 +n02597608 +n02598573 +n02598878 +n02599052 +n02599347 +n02599557 +n02601344 +n02603317 +n02603540 +n02605316 +n02605703 +n02605936 +n02606052 +n02606384 +n02607072 +n02607201 +n02607470 +n02607862 +n02610066 +n02610664 +n02611561 +n02613181 +n02616851 +n02618827 +n02619165 +n02619550 +n02620167 +n02624167 +n02624807 +n02625258 +n02625612 +n02625851 +n02626265 +n02626762 +n02627292 +n02627532 +n02628062 +n02629230 +n02630281 +n02630615 +n02630739 +n02631041 +n02631330 +n02631475 +n02639087 +n02639605 +n02640242 +n02640626 +n02640857 +n02641379 +n02643112 +n02643566 +n02643836 +n02644113 +n02649546 +n02650050 +n02652132 +n02653145 +n02653497 +n02654112 +n02654425 +n02654745 +n02655020 +n02655848 +n02656032 +n02656670 +n02657368 +n02657694 +n02658531 +n02660208 +n02660640 +n02663211 +n02666196 +n02666501 +n02666624 +n02666943 +n02667093 +n02667244 +n02667379 +n02667478 +n02667576 +n02669295 +n02669534 +n02669723 +n02670186 +n02670382 +n02670683 +n02672371 +n02672831 +n02675219 +n02676566 +n02676938 +n02678897 +n02679257 +n02680110 +n02680512 +n02680754 +n02681392 +n02682569 +n02682922 +n02683323 +n02683454 +n02683558 +n02683791 +n02685082 +n02686121 +n02686227 +n02686379 +n02686568 +n02687172 +n02687423 +n02687821 +n02687992 +n02688273 +n02688443 +n02689144 +n02689274 +n02689434 +n02689748 +n02690373 +n02691156 +n02692086 +n02692232 +n02692877 +n02693246 +n02694045 +n02694426 +n02694662 +n02695627 +n02696165 +n02697221 +n02697675 +n02698634 +n02699494 +n02699629 +n02699770 +n02699915 +n02700064 +n02700258 +n02700895 +n02701002 +n02702989 +n02703275 +n02704645 +n02704792 +n02704949 +n02705201 +n02705429 +n02705944 +n02708093 +n02708433 +n02708555 +n02708711 +n02709101 +n02709367 +n02709637 +n02709908 +n02710044 +n02710201 +n02710324 +n02710429 +n02710600 +n02713003 +n02713364 +n02714751 +n02715229 +n02715513 +n02715712 +n02720048 +n02723165 +n02725872 +n02726017 +n02726305 +n02726681 +n02727016 +n02727141 +n02727426 +n02728440 +n02729837 +n02729965 +n02730930 +n02731398 +n02731629 +n02731900 +n02732072 +n02732572 +n02732827 +n02733213 +n02733524 +n02734725 +n02735361 +n02735538 +n02735688 +n02736798 +n02737660 +n02738031 +n02738535 +n02738741 +n02738859 +n02739427 +n02739550 +n02739668 +n02739889 +n02740300 +n02740533 +n02740764 +n02741475 +n02742322 +n02742468 +n02742753 +n02744323 +n02744844 +n02745611 +n02746365 +n02747177 +n02747672 +n02747802 +n02749479 +n02749953 +n02750070 +n02750169 +n02751215 +n02751295 +n02752496 +n02752615 +n02752810 +n02753044 +n02753394 +n02754103 +n02754656 +n02755140 +n02755529 +n02755823 +n02756098 +n02756977 +n02757061 +n02757337 +n02757462 +n02757714 +n02757810 +n02758134 +n02758863 +n02758960 +n02759257 +n02759387 +n02759963 +n02760099 +n02760199 +n02760429 +n02760658 +n02760855 +n02761206 +n02761392 +n02761557 +n02761696 +n02761834 +n02762371 +n02762508 +n02763306 +n02763604 +n02763901 +n02764044 +n02764398 +n02764505 +n02764779 +n02764935 +n02766320 +n02766534 +n02766792 +n02767038 +n02767147 +n02767433 +n02767665 +n02767956 +n02768114 +n02768226 +n02768655 +n02768973 +n02769075 +n02769290 +n02769669 +n02769748 +n02769963 +n02770211 +n02770721 +n02770830 +n02771004 +n02771166 +n02771286 +n02771750 +n02772101 +n02772435 +n02772700 +n02773037 +n02773838 +n02774152 +n02774630 +n02774921 +n02775039 +n02775178 +n02775483 +n02775897 +n02776205 +n02776631 +n02776825 +n02776978 +n02777100 +n02777292 +n02777734 +n02778294 +n02778456 +n02778669 +n02779435 +n02780704 +n02780815 +n02781121 +n02781338 +n02782093 +n02782602 +n02782681 +n02782778 +n02783161 +n02783324 +n02783459 +n02783900 +n02783994 +n02784124 +n02785648 +n02786058 +n02786198 +n02786331 +n02786736 +n02786837 +n02787435 +n02787622 +n02788021 +n02788148 +n02788572 +n02789487 +n02790669 +n02790823 +n02790996 +n02791124 +n02791270 +n02792409 +n02792552 +n02793089 +n02793199 +n02793495 +n02793842 +n02794156 +n02794664 +n02795169 +n02795528 +n02795670 +n02796207 +n02796318 +n02796995 +n02797295 +n02797535 +n02797692 +n02799071 +n02799175 +n02799323 +n02799897 +n02800213 +n02800497 +n02800675 +n02801184 +n02801450 +n02801525 +n02801823 +n02801938 +n02802215 +n02802426 +n02802544 +n02802721 +n02802990 +n02803349 +n02803539 +n02803666 +n02803934 +n02804123 +n02804252 +n02804414 +n02804515 +n02804610 +n02805983 +n02806088 +n02806379 +n02806530 +n02807133 +n02807523 +n02807616 +n02807731 +n02808185 +n02808304 +n02808440 +n02809105 +n02810471 +n02810782 +n02811059 +n02811204 +n02811350 +n02811468 +n02811618 +n02811719 +n02811936 +n02812201 +n02812949 +n02813252 +n02813399 +n02813544 +n02813645 +n02813752 +n02814428 +n02814533 +n02814774 +n02814860 +n02815749 +n02815834 +n02815950 +n02816656 +n02816768 +n02817031 +n02817516 +n02818135 +n02818832 +n02820210 +n02820556 +n02820675 +n02821202 +n02821627 +n02821943 +n02822064 +n02822220 +n02822579 +n02823124 +n02823335 +n02823428 +n02823510 +n02823586 +n02823750 +n02823848 +n02823964 +n02824058 +n02824319 +n02824448 +n02825153 +n02825442 +n02825657 +n02825961 +n02826068 +n02826589 +n02826886 +n02827606 +n02828299 +n02828427 +n02828884 +n02829596 +n02831237 +n02831335 +n02831595 +n02831724 +n02831894 +n02833793 +n02834397 +n02834778 +n02835271 +n02835412 +n02835724 +n02835829 +n02835915 +n02836035 +n02836174 +n02836392 +n02837789 +n02837887 +n02838345 +n02838728 +n02839110 +n02839351 +n02839592 +n02839910 +n02840134 +n02840245 +n02840619 +n02841187 +n02841315 +n02841506 +n02842573 +n02843029 +n02843158 +n02843276 +n02843553 +n02843684 +n02844307 +n02846141 +n02846511 +n02846733 +n02847631 +n02847852 +n02848216 +n02848523 +n02849154 +n02849885 +n02850732 +n02850950 +n02851099 +n02851939 +n02852043 +n02852173 +n02852360 +n02853016 +n02854532 +n02854739 +n02854926 +n02855089 +n02855390 +n02855701 +n02855925 +n02856237 +n02857477 +n02857644 +n02858304 +n02859184 +n02859343 +n02859443 +n02859955 +n02860415 +n02860640 +n02860847 +n02861022 +n02861147 +n02861387 +n02861886 +n02862048 +n02862916 +n02863014 +n02863426 +n02863536 +n02863750 +n02864504 +n02864593 +n02865351 +n02865665 +n02865931 +n02866386 +n02867715 +n02867966 +n02868638 +n02868975 +n02869155 +n02869249 +n02869737 +n02869837 +n02870526 +n02870676 +n02870880 +n02871005 +n02871147 +n02871314 +n02871439 +n02871525 +n02871824 +n02871963 +n02872333 +n02872529 +n02872752 +n02873520 +n02873733 +n02873839 +n02874086 +n02874442 +n02874537 +n02876084 +n02876326 +n02876657 +n02877266 +n02877765 +n02877962 +n02878222 +n02878425 +n02879087 +n02879309 +n02879718 +n02880189 +n02880393 +n02880546 +n02880842 +n02880940 +n02881193 +n02881757 +n02881906 +n02882190 +n02882301 +n02882647 +n02882894 +n02883004 +n02883205 +n02883344 +n02884994 +n02885108 +n02885338 +n02885462 +n02885882 +n02886321 +n02886434 +n02887079 +n02887209 +n02887489 +n02887970 +n02888270 +n02889425 +n02889646 +n02890188 +n02890351 +n02890513 +n02890662 +n02890940 +n02891188 +n02891788 +n02892201 +n02892304 +n02892499 +n02892767 +n02892948 +n02893608 +n02893692 +n02893941 +n02894158 +n02894337 +n02894605 +n02895154 +n02895438 +n02896442 +n02897097 +n02897820 +n02898269 +n02898369 +n02898585 +n02898711 +n02899439 +n02900160 +n02900705 +n02901114 +n02901259 +n02901377 +n02901793 +n02902079 +n02902687 +n02902916 +n02903126 +n02903204 +n02903852 +n02904233 +n02904640 +n02904803 +n02904927 +n02905036 +n02905152 +n02906734 +n02907082 +n02907391 +n02907656 +n02907873 +n02908217 +n02908773 +n02909285 +n02909870 +n02910145 +n02910353 +n02910542 +n02910864 +n02911332 +n02912065 +n02912557 +n02912894 +n02913152 +n02914991 +n02915904 +n02916179 +n02916350 +n02916936 +n02917067 +n02917377 +n02917521 +n02917607 +n02917964 +n02918112 +n02918330 +n02918595 +n02918831 +n02918964 +n02919148 +n02919414 +n02919792 +n02919890 +n02920083 +n02920259 +n02920369 +n02920658 +n02921029 +n02921195 +n02921756 +n02921884 +n02922292 +n02922578 +n02922798 +n02923682 +n02924116 +n02925009 +n02925107 +n02925519 +n02925666 +n02926426 +n02926591 +n02927161 +n02927764 +n02927887 +n02928049 +n02928299 +n02928608 +n02929289 +n02929582 +n02930080 +n02930214 +n02930645 +n02930766 +n02931148 +n02931294 +n02931417 +n02931836 +n02932019 +n02932400 +n02932523 +n02932693 +n02932891 +n02933112 +n02933340 +n02933462 +n02933649 +n02934168 +n02934451 +n02935017 +n02935387 +n02935658 +n02935891 +n02936176 +n02936281 +n02936402 +n02936570 +n02936714 +n02937958 +n02938886 +n02939185 +n02939866 +n02940385 +n02940570 +n02942349 +n02942460 +n02942699 +n02943241 +n02943871 +n02943964 +n02944075 +n02944146 +n02944459 +n02944579 +n02946127 +n02946270 +n02946348 +n02946509 +n02946824 +n02946921 +n02947660 +n02947818 +n02948072 +n02948557 +n02949202 +n02949542 +n02950256 +n02950632 +n02950826 +n02950943 +n02951358 +n02951585 +n02951703 +n02951843 +n02952109 +n02952237 +n02952374 +n02952485 +n02952585 +n02952674 +n02953197 +n02953455 +n02954163 +n02954340 +n02954938 +n02955065 +n02955247 +n02955540 +n02956699 +n02956795 +n02956883 +n02957008 +n02957135 +n02957755 +n02958343 +n02959942 +n02960352 +n02960690 +n02960903 +n02961035 +n02961225 +n02961451 +n02961544 +n02962061 +n02962200 +n02962843 +n02963159 +n02963302 +n02963503 +n02963692 +n02963821 +n02963987 +n02964843 +n02965216 +n02965300 +n02965783 +n02966193 +n02966545 +n02966687 +n02967294 +n02967626 +n02967782 +n02968074 +n02968333 +n02968473 +n02969010 +n02969323 +n02970408 +n02970534 +n02970685 +n02970849 +n02971167 +n02971356 +n02971579 +n02971691 +n02972397 +n02973017 +n02973236 +n02973805 +n02973904 +n02974003 +n02974348 +n02974697 +n02975212 +n02976123 +n02976249 +n02976350 +n02976455 +n02976939 +n02977058 +n02977330 +n02977438 +n02977619 +n02977936 +n02978055 +n02978478 +n02978753 +n02978881 +n02979074 +n02979186 +n02979290 +n02979399 +n02979836 +n02980036 +n02980441 +n02981024 +n02981321 +n02981792 +n02981911 +n02982232 +n02982416 +n02982515 +n02983189 +n02983357 +n02984061 +n02984203 +n02984469 +n02985963 +n02986160 +n02987379 +n02987492 +n02988066 +n02988156 +n02988304 +n02988486 +n02988679 +n02988963 +n02989099 +n02990373 +n02991302 +n02991847 +n02992032 +n02992211 +n02992368 +n02992529 +n02992795 +n02993194 +n02993368 +n02994573 +n02995345 +n02995871 +n02995998 +n02997391 +n02997607 +n02997910 +n02998003 +n02998563 +n02998841 +n02999138 +n02999410 +n02999936 +n03000134 +n03000247 +n03000684 +n03001115 +n03001627 +n03002096 +n03002341 +n03002711 +n03002816 +n03002948 +n03003091 +n03004275 +n03004824 +n03005033 +n03005285 +n03006626 +n03007130 +n03007444 +n03007591 +n03008177 +n03008976 +n03009794 +n03010473 +n03010656 +n03010795 +n03010915 +n03011018 +n03011355 +n03011741 +n03012013 +n03012897 +n03013438 +n03013580 +n03013850 +n03014440 +n03014705 +n03015149 +n03015254 +n03015478 +n03015851 +n03016389 +n03016609 +n03016737 +n03016868 +n03016953 +n03017070 +n03017168 +n03018209 +n03018349 +n03018712 +n03019434 +n03019685 +n03019938 +n03020034 +n03020416 +n03020692 +n03021228 +n03024064 +n03025250 +n03026506 +n03026907 +n03027108 +n03027250 +n03027625 +n03028079 +n03028596 +n03028785 +n03029197 +n03029445 +n03030262 +n03030353 +n03030557 +n03030880 +n03031012 +n03031152 +n03031422 +n03032252 +n03032453 +n03032811 +n03033362 +n03033986 +n03034244 +n03034405 +n03034663 +n03035252 +n03035832 +n03036022 +n03037404 +n03037709 +n03038281 +n03038685 +n03038870 +n03039015 +n03039259 +n03039493 +n03039827 +n03039947 +n03040376 +n03041114 +n03041449 +n03041632 +n03041810 +n03042139 +n03042490 +n03042697 +n03043423 +n03043693 +n03043958 +n03044934 +n03045228 +n03045337 +n03045698 +n03046029 +n03046133 +n03046257 +n03046802 +n03046921 +n03047052 +n03047690 +n03047799 +n03047941 +n03048883 +n03049782 +n03049924 +n03050453 +n03050546 +n03050655 +n03050864 +n03051041 +n03051249 +n03051396 +n03051540 +n03054901 +n03055418 +n03055857 +n03057021 +n03057541 +n03057636 +n03057920 +n03058107 +n03058603 +n03059685 +n03061211 +n03061345 +n03061505 +n03061674 +n03062015 +n03062122 +n03062245 +n03062336 +n03062985 +n03063073 +n03063199 +n03063338 +n03063485 +n03063599 +n03063689 +n03063968 +n03064250 +n03064350 +n03064758 +n03064935 +n03065243 +n03065424 +n03066359 +n03066849 +n03067093 +n03067212 +n03067339 +n03067518 +n03068181 +n03068998 +n03069752 +n03070059 +n03070193 +n03071021 +n03071160 +n03072201 +n03072440 +n03073296 +n03073545 +n03073694 +n03073977 +n03074380 +n03074855 +n03075097 +n03075370 +n03075634 +n03075768 +n03075946 +n03077616 +n03077741 +n03078802 +n03078995 +n03079136 +n03079230 +n03079494 +n03080497 +n03080633 +n03082280 +n03082656 +n03082807 +n03082979 +n03084420 +n03084834 +n03085013 +n03085219 +n03085602 +n03085915 +n03086457 +n03086580 +n03086670 +n03086868 +n03087069 +n03087245 +n03087366 +n03087816 +n03088389 +n03088580 +n03089624 +n03089753 +n03089879 +n03090000 +n03090172 +n03091044 +n03091374 +n03092166 +n03092314 +n03092656 +n03092883 +n03094159 +n03094503 +n03095699 +n03096960 +n03097362 +n03097535 +n03097673 +n03098140 +n03098688 +n03098959 +n03099147 +n03099274 +n03099454 +n03099945 +n03100240 +n03100346 +n03100490 +n03100897 +n03101156 +n03101517 +n03101664 +n03101796 +n03101986 +n03102371 +n03102654 +n03103396 +n03103563 +n03105088 +n03105306 +n03105467 +n03106898 +n03107046 +n03107488 +n03108455 +n03108853 +n03109150 +n03109253 +n03109693 +n03109881 +n03110669 +n03111041 +n03111177 +n03111296 +n03112719 +n03112869 +n03113152 +n03113657 +n03113835 +n03114236 +n03114379 +n03114504 +n03115180 +n03115400 +n03115762 +n03115897 +n03116530 +n03116767 +n03118969 +n03119203 +n03119396 +n03119510 +n03120491 +n03120778 +n03121298 +n03121431 +n03121897 +n03122073 +n03122202 +n03122295 +n03123553 +n03123809 +n03123917 +n03124043 +n03124170 +n03124474 +n03124590 +n03125057 +n03125729 +n03125870 +n03126385 +n03126580 +n03126707 +n03127203 +n03127408 +n03127747 +n03127925 +n03128085 +n03128248 +n03128427 +n03128519 +n03129001 +n03129471 +n03129753 +n03130761 +n03131574 +n03131669 +n03131967 +n03132076 +n03132261 +n03132666 +n03132776 +n03133050 +n03133415 +n03133878 +n03134739 +n03134853 +n03135030 +n03135532 +n03136369 +n03137473 +n03138344 +n03138669 +n03139464 +n03140126 +n03140292 +n03140431 +n03140652 +n03141065 +n03141327 +n03141455 +n03141702 +n03141823 +n03142679 +n03145147 +n03145522 +n03145719 +n03146219 +n03146687 +n03146846 +n03147280 +n03147509 +n03148324 +n03148727 +n03149686 +n03150232 +n03150511 +n03151077 +n03152303 +n03154073 +n03154895 +n03156279 +n03156767 +n03157348 +n03158186 +n03158885 +n03159535 +n03159640 +n03160309 +n03160740 +n03161450 +n03163222 +n03163381 +n03164344 +n03164605 +n03164722 +n03165096 +n03165466 +n03165616 +n03166514 +n03167978 +n03168107 +n03168217 +n03169176 +n03170635 +n03171228 +n03171356 +n03171635 +n03172038 +n03173270 +n03173387 +n03173929 +n03174450 +n03174731 +n03175081 +n03175189 +n03175457 +n03176386 +n03176594 +n03176763 +n03177165 +n03178000 +n03178430 +n03178674 +n03179701 +n03179910 +n03180011 +n03180384 +n03180504 +n03180865 +n03180969 +n03181293 +n03183080 +n03186285 +n03186818 +n03187037 +n03187268 +n03187595 +n03188531 +n03188725 +n03189083 +n03191286 +n03192543 +n03193107 +n03193260 +n03193423 +n03193597 +n03195332 +n03195959 +n03196062 +n03196217 +n03196598 +n03196990 +n03197337 +n03198500 +n03199647 +n03199775 +n03199901 +n03200231 +n03200357 +n03200539 +n03200701 +n03200906 +n03201035 +n03201208 +n03201529 +n03201638 +n03201776 +n03202354 +n03202940 +n03204306 +n03204558 +n03205458 +n03205574 +n03205669 +n03206282 +n03206718 +n03206908 +n03207305 +n03207630 +n03207743 +n03207835 +n03207941 +n03208556 +n03208938 +n03209359 +n03209910 +n03210245 +n03210372 +n03210552 +n03211117 +n03211789 +n03212114 +n03212811 +n03213538 +n03213826 +n03214253 +n03214582 +n03215508 +n03216402 +n03216710 +n03216828 +n03218198 +n03219010 +n03219135 +n03219483 +n03219966 +n03220237 +n03220513 +n03220692 +n03221059 +n03221351 +n03221540 +n03221720 +n03222176 +n03222318 +n03222516 +n03223162 +n03223299 +n03223553 +n03223686 +n03224603 +n03224753 +n03225108 +n03225777 +n03225988 +n03226254 +n03226375 +n03226538 +n03226880 +n03227317 +n03228254 +n03228365 +n03228692 +n03228967 +n03229244 +n03231368 +n03231819 +n03232309 +n03232543 +n03233123 +n03233624 +n03233744 +n03233905 +n03234164 +n03234952 +n03235042 +n03235180 +n03235327 +n03235796 +n03236217 +n03236423 +n03236735 +n03237340 +n03237416 +n03237839 +n03237992 +n03238131 +n03238286 +n03238586 +n03239054 +n03239259 +n03239726 +n03240140 +n03240683 +n03240892 +n03241093 +n03241335 +n03241496 +n03242506 +n03243218 +n03244047 +n03244231 +n03244775 +n03244919 +n03245724 +n03245889 +n03246454 +n03246933 +n03247083 +n03249342 +n03249569 +n03250089 +n03250279 +n03250405 +n03250847 +n03251533 +n03251766 +n03251932 +n03252637 +n03253279 +n03253796 +n03253886 +n03254046 +n03254189 +n03254374 +n03254862 +n03255030 +n03255899 +n03256032 +n03256166 +n03256788 +n03256928 +n03257210 +n03257586 +n03258330 +n03258577 +n03258905 +n03259009 +n03259280 +n03259401 +n03259505 +n03260849 +n03261019 +n03261603 +n03261776 +n03262072 +n03262248 +n03262519 +n03262717 +n03262809 +n03262932 +n03263076 +n03266371 +n03266749 +n03267113 +n03267468 +n03267821 +n03268142 +n03268311 +n03268645 +n03268790 +n03268918 +n03269203 +n03269401 +n03271030 +n03271574 +n03272010 +n03272125 +n03272239 +n03272383 +n03272562 +n03272810 +n03272940 +n03273061 +n03273551 +n03273740 +n03273913 +n03274265 +n03274435 +n03275681 +n03277459 +n03277771 +n03278248 +n03278914 +n03279508 +n03281145 +n03281673 +n03282295 +n03282401 +n03283221 +n03284743 +n03284886 +n03285578 +n03287351 +n03287733 +n03288500 +n03288886 +n03289660 +n03289985 +n03290096 +n03290195 +n03290653 +n03291413 +n03291741 +n03291819 +n03291963 +n03292475 +n03292603 +n03293741 +n03293863 +n03294048 +n03294833 +n03295012 +n03295246 +n03296081 +n03296328 +n03297103 +n03297226 +n03297495 +n03297644 +n03297735 +n03298089 +n03298716 +n03298858 +n03300216 +n03300443 +n03301568 +n03301833 +n03301940 +n03302671 +n03302938 +n03303217 +n03303831 +n03306385 +n03307037 +n03307792 +n03308152 +n03308481 +n03309110 +n03309356 +n03309465 +n03309687 +n03309808 +n03313333 +n03314227 +n03314608 +n03314780 +n03314884 +n03315644 +n03316105 +n03316406 +n03317788 +n03318294 +n03318865 +n03318983 +n03319457 +n03319745 +n03320046 +n03320262 +n03320421 +n03320519 +n03320959 +n03321103 +n03321563 +n03321954 +n03322570 +n03322704 +n03322836 +n03322940 +n03323096 +n03324928 +n03325088 +n03325584 +n03325941 +n03326660 +n03326795 +n03326948 +n03327133 +n03327234 +n03327553 +n03327691 +n03329302 +n03329536 +n03329663 +n03331077 +n03331599 +n03332005 +n03332271 +n03332393 +n03332989 +n03333129 +n03333252 +n03333610 +n03333711 +n03334291 +n03334382 +n03334912 +n03335030 +n03336282 +n03336575 +n03337140 +n03337383 +n03338821 +n03339529 +n03339643 +n03340723 +n03341153 +n03341297 +n03342015 +n03342127 +n03342262 +n03343354 +n03343560 +n03343737 +n03343853 +n03344305 +n03344393 +n03344642 +n03345487 +n03345837 +n03346135 +n03346455 +n03347037 +n03347617 +n03348868 +n03349469 +n03349771 +n03349892 +n03350204 +n03350602 +n03351434 +n03351979 +n03352628 +n03353951 +n03354207 +n03354903 +n03355768 +n03355925 +n03356858 +n03356982 +n03357267 +n03357716 +n03358172 +n03358380 +n03358726 +n03359137 +n03359285 +n03359436 +n03359566 +n03360300 +n03360431 +n03360622 +n03361297 +n03361380 +n03361550 +n03362890 +n03363363 +n03363549 +n03363749 +n03364008 +n03364599 +n03365231 +n03365374 +n03365592 +n03365991 +n03366823 +n03366974 +n03367059 +n03367410 +n03367545 +n03368352 +n03369276 +n03370387 +n03371875 +n03372029 +n03372549 +n03373237 +n03373611 +n03373943 +n03374372 +n03374473 +n03374649 +n03374838 +n03375329 +n03375575 +n03376159 +n03376279 +n03376595 +n03376938 +n03378005 +n03378174 +n03379051 +n03379204 +n03379343 +n03379828 +n03380724 +n03380867 +n03381126 +n03382292 +n03382413 +n03382856 +n03383099 +n03384352 +n03384891 +n03385557 +n03386011 +n03386544 +n03386726 +n03386870 +n03387653 +n03388043 +n03388183 +n03388323 +n03388549 +n03389611 +n03389761 +n03389889 +n03390075 +n03390786 +n03390983 +n03391301 +n03392741 +n03393017 +n03393761 +n03393912 +n03394272 +n03394480 +n03394649 +n03394916 +n03395514 +n03395859 +n03396074 +n03396654 +n03397087 +n03397266 +n03397532 +n03397947 +n03398153 +n03398228 +n03399677 +n03399761 +n03399971 +n03400231 +n03401129 +n03401279 +n03402188 +n03402941 +n03403643 +n03404149 +n03404251 +n03404360 +n03405265 +n03405595 +n03405725 +n03406966 +n03407369 +n03407865 +n03408054 +n03408444 +n03409297 +n03409393 +n03409591 +n03410571 +n03410740 +n03410938 +n03411079 +n03412058 +n03413684 +n03414029 +n03414162 +n03414676 +n03415252 +n03415486 +n03415749 +n03416094 +n03416489 +n03416640 +n03416775 +n03416900 +n03417042 +n03417202 +n03417345 +n03417749 +n03417970 +n03418158 +n03418242 +n03418402 +n03418618 +n03418915 +n03419014 +n03420345 +n03420801 +n03421324 +n03421485 +n03421669 +n03422072 +n03423306 +n03423479 +n03423568 +n03423719 +n03423877 +n03424325 +n03424489 +n03424630 +n03424862 +n03425241 +n03425325 +n03425413 +n03425595 +n03425769 +n03426134 +n03427202 +n03427296 +n03428090 +n03428226 +n03428349 +n03429003 +n03429137 +n03429288 +n03429682 +n03429914 +n03430091 +n03430313 +n03430418 +n03430551 +n03431243 +n03431745 +n03432061 +n03432129 +n03433877 +n03434188 +n03434285 +n03435593 +n03435743 +n03435991 +n03436075 +n03436182 +n03436417 +n03436549 +n03436891 +n03437430 +n03437741 +n03437829 +n03437941 +n03438071 +n03438257 +n03438661 +n03438863 +n03439348 +n03439814 +n03440216 +n03440682 +n03441112 +n03441345 +n03442597 +n03442756 +n03443005 +n03443149 +n03443371 +n03443912 +n03444034 +n03445326 +n03445617 +n03445777 +n03445924 +n03446070 +n03446268 +n03446832 +n03447075 +n03447358 +n03447447 +n03447721 +n03448590 +n03448956 +n03449309 +n03449451 +n03450230 +n03450516 +n03450734 +n03450974 +n03451120 +n03451711 +n03451798 +n03452267 +n03452449 +n03452594 +n03452741 +n03453231 +n03453443 +n03454110 +n03454211 +n03454442 +n03454536 +n03454707 +n03454885 +n03455488 +n03456024 +n03456186 +n03456299 +n03456447 +n03456548 +n03456665 +n03457008 +n03457686 +n03457902 +n03458271 +n03459328 +n03459775 +n03460040 +n03460147 +n03460297 +n03461288 +n03461385 +n03462110 +n03463381 +n03463666 +n03464053 +n03465426 +n03465500 +n03465718 +n03466493 +n03466600 +n03466839 +n03467068 +n03467517 +n03467796 +n03467984 +n03468696 +n03468821 +n03469175 +n03469493 +n03469903 +n03470629 +n03471190 +n03472232 +n03473227 +n03474779 +n03474896 +n03475581 +n03475823 +n03476083 +n03476313 +n03476684 +n03476991 +n03477512 +n03478589 +n03478756 +n03478907 +n03479121 +n03479397 +n03480579 +n03480719 +n03481172 +n03482252 +n03482405 +n03482523 +n03482877 +n03483230 +n03483316 +n03483823 +n03484083 +n03484487 +n03484576 +n03484931 +n03485198 +n03485407 +n03485794 +n03487090 +n03487331 +n03487444 +n03487533 +n03487642 +n03487774 +n03487886 +n03488188 +n03488438 +n03489162 +n03490006 +n03490119 +n03490884 +n03491032 +n03492250 +n03492542 +n03492922 +n03494278 +n03494537 +n03494706 +n03495039 +n03495258 +n03495570 +n03496296 +n03496612 +n03496892 +n03497352 +n03497657 +n03498441 +n03498662 +n03498781 +n03498962 +n03499354 +n03499468 +n03499907 +n03500209 +n03500389 +n03500699 +n03501614 +n03502200 +n03502331 +n03502509 +n03503477 +n03503997 +n03504205 +n03504723 +n03505133 +n03505383 +n03505504 +n03505667 +n03506028 +n03506184 +n03506370 +n03506560 +n03506727 +n03506880 +n03507241 +n03507458 +n03507963 +n03508101 +n03509394 +n03509608 +n03510244 +n03511175 +n03511333 +n03512147 +n03513137 +n03513376 +n03514451 +n03514693 +n03514894 +n03516367 +n03516844 +n03516996 +n03517647 +n03517760 +n03517899 +n03518135 +n03518305 +n03518445 +n03518943 +n03519081 +n03519387 +n03520493 +n03521076 +n03521544 +n03521675 +n03521899 +n03522003 +n03522100 +n03523987 +n03524150 +n03524574 +n03525074 +n03525454 +n03527149 +n03527444 +n03527565 +n03528263 +n03528523 +n03528901 +n03529175 +n03529444 +n03529629 +n03529860 +n03530511 +n03530642 +n03530910 +n03531281 +n03532342 +n03532672 +n03532919 +n03533014 +n03534580 +n03534776 +n03535024 +n03535780 +n03536122 +n03537241 +n03537412 +n03538037 +n03538179 +n03538406 +n03538634 +n03539433 +n03539546 +n03539678 +n03540090 +n03540267 +n03540595 +n03540914 +n03541091 +n03541269 +n03541537 +n03541696 +n03541923 +n03542333 +n03542605 +n03542860 +n03543012 +n03543112 +n03543254 +n03543394 +n03543603 +n03543735 +n03543945 +n03544143 +n03544238 +n03544360 +n03545150 +n03545470 +n03545756 +n03546112 +n03546235 +n03546340 +n03547054 +n03547229 +n03548086 +n03548402 +n03548626 +n03549199 +n03549473 +n03549589 +n03549732 +n03549897 +n03550153 +n03550289 +n03551395 +n03552749 +n03553019 +n03553248 +n03554460 +n03555006 +n03555426 +n03555564 +n03555662 +n03556679 +n03557270 +n03557360 +n03557590 +n03557692 +n03558176 +n03558404 +n03558633 +n03558739 +n03559999 +n03560430 +n03561047 +n03563200 +n03563460 +n03565288 +n03565830 +n03566193 +n03566730 +n03567066 +n03568117 +n03571280 +n03571625 +n03571942 +n03572107 +n03572321 +n03574243 +n03574555 +n03574816 +n03577090 +n03577672 +n03578055 +n03578251 +n03578656 +n03579538 +n03580518 +n03580845 +n03581125 +n03582959 +n03584254 +n03584400 +n03584829 +n03585073 +n03585438 +n03585682 +n03586219 +n03586631 +n03587205 +n03588951 +n03589513 +n03589791 +n03590306 +n03590588 +n03590841 +n03590932 +n03592245 +n03592669 +n03592773 +n03593122 +n03593526 +n03594148 +n03594523 +n03594734 +n03594945 +n03595264 +n03595409 +n03595523 +n03595614 +n03595860 +n03596285 +n03596543 +n03597916 +n03598151 +n03598299 +n03598515 +n03598930 +n03599486 +n03600285 +n03600475 +n03600722 +n03601638 +n03601840 +n03602081 +n03602883 +n03603442 +n03603594 +n03603722 +n03604156 +n03604311 +n03604400 +n03604843 +n03605598 +n03605722 +n03606251 +n03607029 +n03607659 +n03607923 +n03609235 +n03609397 +n03610098 +n03610418 +n03610524 +n03610682 +n03612010 +n03612814 +n03612965 +n03613294 +n03613592 +n03614007 +n03614532 +n03614782 +n03615300 +n03615406 +n03615563 +n03615655 +n03615790 +n03616428 +n03616763 +n03616979 +n03617095 +n03617312 +n03617480 +n03618101 +n03618982 +n03619196 +n03619275 +n03619396 +n03619650 +n03619793 +n03619890 +n03620052 +n03620967 +n03621049 +n03621377 +n03622058 +n03622839 +n03622931 +n03623198 +n03623338 +n03623556 +n03624134 +n03624400 +n03625355 +n03625539 +n03625646 +n03625943 +n03626115 +n03626760 +n03627232 +n03628215 +n03628511 +n03629100 +n03629231 +n03629520 +n03630262 +n03630383 +n03631177 +n03631922 +n03632577 +n03632729 +n03632852 +n03633091 +n03633886 +n03635032 +n03635108 +n03635330 +n03635668 +n03636248 +n03636649 +n03637181 +n03637318 +n03637898 +n03638883 +n03639077 +n03639497 +n03640850 +n03640988 +n03641569 +n03642444 +n03642806 +n03643149 +n03643253 +n03643491 +n03643737 +n03644378 +n03644858 +n03645011 +n03645577 +n03646020 +n03646148 +n03646296 +n03646916 +n03647520 +n03648431 +n03649161 +n03649674 +n03649797 +n03649909 +n03650551 +n03651388 +n03651843 +n03652100 +n03652729 +n03652932 +n03653110 +n03653220 +n03653583 +n03653740 +n03653833 +n03654576 +n03655072 +n03655720 +n03656484 +n03656957 +n03657121 +n03657511 +n03658185 +n03658858 +n03659292 +n03659686 +n03659809 +n03659950 +n03660124 +n03660909 +n03661043 +n03661340 +n03662601 +n03662719 +n03662887 +n03663531 +n03664943 +n03665366 +n03665924 +n03666362 +n03666591 +n03666917 +n03667552 +n03667664 +n03667829 +n03668067 +n03668279 +n03668488 +n03668803 +n03669886 +n03670208 +n03671914 +n03672827 +n03673027 +n03673450 +n03674440 +n03674731 +n03675235 +n03676087 +n03676483 +n03676623 +n03676759 +n03677115 +n03678558 +n03678729 +n03679384 +n03679712 +n03680355 +n03680512 +n03680734 +n03680858 +n03680942 +n03682487 +n03682877 +n03683079 +n03683457 +n03683606 +n03683708 +n03683995 +n03684143 +n03684224 +n03684611 +n03684823 +n03685820 +n03686130 +n03686924 +n03687137 +n03687928 +n03688192 +n03688405 +n03688605 +n03688943 +n03689157 +n03690473 +n03690938 +n03691459 +n03691817 +n03692379 +n03692522 +n03693293 +n03693474 +n03693707 +n03693860 +n03694639 +n03695857 +n03696065 +n03696301 +n03696568 +n03697007 +n03697552 +n03698360 +n03698604 +n03698723 +n03698815 +n03699591 +n03699975 +n03700963 +n03701391 +n03703730 +n03703862 +n03703945 +n03704549 +n03706229 +n03706653 +n03708036 +n03708843 +n03709206 +n03709363 +n03709823 +n03710193 +n03710637 +n03710721 +n03711044 +n03711999 +n03712111 +n03712337 +n03713436 +n03714235 +n03715114 +n03715386 +n03715669 +n03715892 +n03716887 +n03716966 +n03717131 +n03717285 +n03717447 +n03717622 +n03718212 +n03718335 +n03718458 +n03718581 +n03718789 +n03718935 +n03719053 +n03719343 +n03719743 +n03720163 +n03720891 +n03721047 +n03721252 +n03721384 +n03721590 +n03722007 +n03722288 +n03723267 +n03723781 +n03724066 +n03724417 +n03724538 +n03724623 +n03724756 +n03724870 +n03725035 +n03725600 +n03725717 +n03726760 +n03726993 +n03727067 +n03727465 +n03727605 +n03727837 +n03727946 +n03728437 +n03729308 +n03729826 +n03730153 +n03730334 +n03730494 +n03730893 +n03731019 +n03731483 +n03731695 +n03732020 +n03732114 +n03732458 +n03733131 +n03733281 +n03733644 +n03733805 +n03733925 +n03735637 +n03735963 +n03736064 +n03736470 +n03736970 +n03738066 +n03738472 +n03739518 +n03742019 +n03742115 +n03743016 +n03743279 +n03743902 +n03744276 +n03744840 +n03745146 +n03745571 +n03746005 +n03746155 +n03746330 +n03746486 +n03748162 +n03749807 +n03751269 +n03751458 +n03751757 +n03752185 +n03753077 +n03757604 +n03758089 +n03759243 +n03759661 +n03759954 +n03760310 +n03760671 +n03760944 +n03761084 +n03762332 +n03762434 +n03762602 +n03763968 +n03764276 +n03764736 +n03764822 +n03765561 +n03766044 +n03766322 +n03766508 +n03766935 +n03767112 +n03767203 +n03767459 +n03767745 +n03767966 +n03768916 +n03769610 +n03769881 +n03770085 +n03770316 +n03770439 +n03770679 +n03770954 +n03772077 +n03772269 +n03772584 +n03773035 +n03773504 +n03774327 +n03774461 +n03775071 +n03775199 +n03775388 +n03775546 +n03775636 +n03775747 +n03775847 +n03776460 +n03777568 +n03777754 +n03778817 +n03779128 +n03781244 +n03781683 +n03781787 +n03782006 +n03782190 +n03782794 +n03783430 +n03784270 +n03784896 +n03785016 +n03785237 +n03785721 +n03786194 +n03786313 +n03786621 +n03786715 +n03786901 +n03787032 +n03787523 +n03788047 +n03788195 +n03788365 +n03788498 +n03788601 +n03788914 +n03789171 +n03789946 +n03790230 +n03790512 +n03790755 +n03790953 +n03791053 +n03791235 +n03792048 +n03792334 +n03792526 +n03792782 +n03792972 +n03793489 +n03793850 +n03794056 +n03794136 +n03794798 +n03795123 +n03795269 +n03795758 +n03795976 +n03796401 +n03796522 +n03796605 +n03797182 +n03797264 +n03797390 +n03797896 +n03798061 +n03798442 +n03799876 +n03800933 +n03801353 +n03801533 +n03801671 +n03801760 +n03801880 +n03802007 +n03802393 +n03803284 +n03804744 +n03805180 +n03805280 +n03805725 +n03809312 +n03809603 +n03810952 +n03811295 +n03811444 +n03811847 +n03811965 +n03812924 +n03813078 +n03814639 +n03814817 +n03814906 +n03815149 +n03815482 +n03815615 +n03816005 +n03816136 +n03816530 +n03816849 +n03817191 +n03817647 +n03818343 +n03819336 +n03819448 +n03819595 +n03819994 +n03820318 +n03820728 +n03821518 +n03822171 +n03822504 +n03822656 +n03822767 +n03823111 +n03823216 +n03823312 +n03824381 +n03824713 +n03825080 +n03825788 +n03826039 +n03826186 +n03827536 +n03828020 +n03829954 +n03831382 +n03832144 +n03832673 +n03834040 +n03835197 +n03836062 +n03836451 +n03836906 +n03836976 +n03837422 +n03837606 +n03837698 +n03837869 +n03838298 +n03838899 +n03839424 +n03839671 +n03840681 +n03840823 +n03841143 +n03841666 +n03842012 +n03842156 +n03842377 +n03842986 +n03843438 +n03843555 +n03844045 +n03844233 +n03844673 +n03844815 +n03845190 +n03846100 +n03846234 +n03846431 +n03846677 +n03847471 +n03847823 +n03848168 +n03848348 +n03849679 +n03849814 +n03850053 +n03850245 +n03850492 +n03851787 +n03852280 +n03852688 +n03853924 +n03854065 +n03854421 +n03854506 +n03854722 +n03854815 +n03855214 +n03855333 +n03855604 +n03855756 +n03856012 +n03856465 +n03857687 +n03857828 +n03858085 +n03858183 +n03858418 +n03859000 +n03859170 +n03859280 +n03859495 +n03859608 +n03859958 +n03860404 +n03861271 +n03861430 +n03861842 +n03862676 +n03862862 +n03863108 +n03863262 +n03863923 +n03864356 +n03864692 +n03865371 +n03865557 +n03865949 +n03866082 +n03868242 +n03868406 +n03868643 +n03868863 +n03870105 +n03870672 +n03870980 +n03871083 +n03871371 +n03871524 +n03871628 +n03871724 +n03873416 +n03873699 +n03874138 +n03874293 +n03874487 +n03874599 +n03875218 +n03875806 +n03875955 +n03876231 +n03877351 +n03877472 +n03877674 +n03877845 +n03878066 +n03878211 +n03878963 +n03879705 +n03880323 +n03880531 +n03882611 +n03882960 +n03883054 +n03883385 +n03883524 +n03884397 +n03884778 +n03884926 +n03885028 +n03885194 +n03885293 +n03885535 +n03885669 +n03885788 +n03885904 +n03886053 +n03886641 +n03886762 +n03887185 +n03887330 +n03887697 +n03888257 +n03888605 +n03889503 +n03889726 +n03889871 +n03890093 +n03890233 +n03890514 +n03891051 +n03891251 +n03891332 +n03891538 +n03892178 +n03892425 +n03892557 +n03894051 +n03894379 +n03894677 +n03895866 +n03896103 +n03896233 +n03896419 +n03896526 +n03897943 +n03898129 +n03898271 +n03898395 +n03898633 +n03899768 +n03899933 +n03900393 +n03900979 +n03901229 +n03901750 +n03902125 +n03902482 +n03902756 +n03903424 +n03903733 +n03903868 +n03904060 +n03904183 +n03904433 +n03904657 +n03904782 +n03904909 +n03905947 +n03906224 +n03906463 +n03906997 +n03908204 +n03908618 +n03908714 +n03909020 +n03909160 +n03909406 +n03911513 +n03911658 +n03911767 +n03911866 +n03912218 +n03913343 +n03914106 +n03914337 +n03914438 +n03914583 +n03914831 +n03915118 +n03915437 +n03915900 +n03916031 +n03916470 +n03916720 +n03917198 +n03917814 +n03918480 +n03918737 +n03919096 +n03919289 +n03919430 +n03920288 +n03920641 +n03920737 +n03920867 +n03923379 +n03923918 +n03924069 +n03924679 +n03926148 +n03927091 +n03927299 +n03927539 +n03928116 +n03928814 +n03929660 +n03929855 +n03930313 +n03930630 +n03931765 +n03931885 +n03933933 +n03934042 +n03934229 +n03934311 +n03934565 +n03934656 +n03935116 +n03935234 +n03935335 +n03936466 +n03937543 +n03937835 +n03937931 +n03938037 +n03938244 +n03938401 +n03938522 +n03938725 +n03939178 +n03939677 +n03939844 +n03940256 +n03941013 +n03941231 +n03941417 +n03941684 +n03942813 +n03942920 +n03943115 +n03943266 +n03943920 +n03944024 +n03944138 +n03944341 +n03946076 +n03946162 +n03947466 +n03947798 +n03947888 +n03948242 +n03948459 +n03948830 +n03948950 +n03949145 +n03949317 +n03950228 +n03950537 +n03950899 +n03952576 +n03953901 +n03954393 +n03954731 +n03955296 +n03955489 +n03956157 +n03956623 +n03956785 +n03956922 +n03957315 +n03957420 +n03957762 +n03957991 +n03958227 +n03958752 +n03959014 +n03959701 +n03960374 +n03960490 +n03961711 +n03961939 +n03962852 +n03963198 +n03963294 +n03963645 +n03964495 +n03965456 +n03965907 +n03966206 +n03966976 +n03967270 +n03967396 +n03967562 +n03967942 +n03968293 +n03968581 +n03968728 +n03970156 +n03970546 +n03971218 +n03973285 +n03973402 +n03973628 +n03973839 +n03973945 +n03974070 +n03974915 +n03975035 +n03975657 +n03975788 +n03976467 +n03976657 +n03977592 +n03977966 +n03978421 +n03978686 +n03978966 +n03980026 +n03980478 +n03980874 +n03981340 +n03981566 +n03981760 +n03981924 +n03982232 +n03982331 +n03982430 +n03982642 +n03983396 +n03983612 +n03984234 +n03984381 +n03984643 +n03984759 +n03985069 +n03985232 +n03985441 +n03985881 +n03986224 +n03986355 +n03986562 +n03986704 +n03986949 +n03987266 +n03987376 +n03987990 +n03988170 +n03989665 +n03990474 +n03991062 +n03991646 +n03991837 +n03992325 +n03992436 +n03992509 +n03992703 +n03993053 +n03993180 +n03993403 +n03993703 +n03994008 +n03994614 +n03995265 +n03995372 +n03995535 +n03995856 +n03996145 +n03996416 +n03996849 +n03998194 +n03998333 +n03999160 +n03999992 +n04000311 +n04000592 +n04001265 +n04001499 +n04001845 +n04003241 +n04003856 +n04004210 +n04004475 +n04004767 +n04004990 +n04005197 +n04005630 +n04008385 +n04008634 +n04009552 +n04009801 +n04011827 +n04012084 +n04012482 +n04013729 +n04015908 +n04016240 +n04016576 +n04016684 +n04016846 +n04018155 +n04018667 +n04019101 +n04019541 +n04019696 +n04020298 +n04020912 +n04021028 +n04021798 +n04022332 +n04023695 +n04023962 +n04024274 +n04024862 +n04024983 +n04025508 +n04026053 +n04026180 +n04026417 +n04026813 +n04027023 +n04027706 +n04028074 +n04028221 +n04028315 +n04028581 +n04028764 +n04029734 +n04030274 +n04030518 +n04032603 +n04033425 +n04033901 +n04033995 +n04034262 +n04035836 +n04035912 +n04036303 +n04037220 +n04037443 +n04037964 +n04038231 +n04038338 +n04038440 +n04038727 +n04039381 +n04039742 +n04039848 +n04040247 +n04040373 +n04040759 +n04041069 +n04041243 +n04041408 +n04041544 +n04041747 +n04042358 +n04043411 +n04043733 +n04044307 +n04044498 +n04044716 +n04045255 +n04045397 +n04045644 +n04046091 +n04046277 +n04046400 +n04046590 +n04046974 +n04047401 +n04048441 +n04049303 +n04049405 +n04049585 +n04049753 +n04050066 +n04050313 +n04050933 +n04051549 +n04051825 +n04052442 +n04052658 +n04052757 +n04053508 +n04053677 +n04054361 +n04054670 +n04056180 +n04056413 +n04056932 +n04057047 +n04057981 +n04058096 +n04058239 +n04058594 +n04059157 +n04059516 +n04059947 +n04060647 +n04061681 +n04061793 +n04061969 +n04062428 +n04063154 +n04063373 +n04063868 +n04064401 +n04064747 +n04064862 +n04065272 +n04065464 +n04065789 +n04066270 +n04067472 +n04067658 +n04067818 +n04067921 +n04068441 +n04068601 +n04069276 +n04069434 +n04070003 +n04070207 +n04070415 +n04070727 +n04071263 +n04072193 +n04072551 +n04072960 +n04074185 +n04074963 +n04075291 +n04075715 +n04075916 +n04076284 +n04076713 +n04078574 +n04079244 +n04079933 +n04080138 +n04080454 +n04080705 +n04080833 +n04081281 +n04081699 +n04082562 +n04082710 +n04082886 +n04083309 +n04083800 +n04084889 +n04086273 +n04086446 +n04087432 +n04087709 +n04087826 +n04089376 +n04089666 +n04089836 +n04089976 +n04090263 +n04091097 +n04091693 +n04093625 +n04093775 +n04094720 +n04095109 +n04095210 +n04095342 +n04095577 +n04096066 +n04097373 +n04097760 +n04097866 +n04098513 +n04099003 +n04099175 +n04099429 +n04099969 +n04100519 +n04101701 +n04102037 +n04102162 +n04102285 +n04102406 +n04102618 +n04103094 +n04103206 +n04103364 +n04103665 +n04103769 +n04103918 +n04104147 +n04104384 +n04104500 +n04104770 +n04105068 +n04105704 +n04105893 +n04107743 +n04108268 +n04108822 +n04110178 +n04110955 +n04111190 +n04111414 +n04111531 +n04111668 +n04112147 +n04112252 +n04112430 +n04112579 +n04112654 +n04112752 +n04113194 +n04113316 +n04113406 +n04113641 +n04113765 +n04114844 +n04115144 +n04115256 +n04115456 +n04115802 +n04115996 +n04116098 +n04116294 +n04116512 +n04117464 +n04118021 +n04118538 +n04118635 +n04118776 +n04119091 +n04119230 +n04119360 +n04119478 +n04119751 +n04120489 +n04120842 +n04121426 +n04121511 +n04121728 +n04122349 +n04122492 +n04122578 +n04122685 +n04122825 +n04123026 +n04123448 +n04123567 +n04123740 +n04124098 +n04124202 +n04124370 +n04124488 +n04125021 +n04125257 +n04125853 +n04126066 +n04127249 +n04127395 +n04127521 +n04127633 +n04127904 +n04128413 +n04128499 +n04128710 +n04128837 +n04130143 +n04130257 +n04130907 +n04131208 +n04131368 +n04131690 +n04131929 +n04132158 +n04132603 +n04132985 +n04133789 +n04134008 +n04134523 +n04134632 +n04135024 +n04135118 +n04135315 +n04135710 +n04136045 +n04136161 +n04136333 +n04136510 +n04136800 +n04137089 +n04137217 +n04137355 +n04137444 +n04137773 +n04137897 +n04138261 +n04138977 +n04139140 +n04139395 +n04139859 +n04140064 +n04140631 +n04141076 +n04141198 +n04141327 +n04141712 +n04141838 +n04141975 +n04142434 +n04142731 +n04142999 +n04143140 +n04143897 +n04144241 +n04144539 +n04145863 +n04146050 +n04146343 +n04146504 +n04146614 +n04146862 +n04147183 +n04147793 +n04148054 +n04148579 +n04148703 +n04149083 +n04149813 +n04150153 +n04150980 +n04152593 +n04153025 +n04153751 +n04154152 +n04154340 +n04154565 +n04154938 +n04155068 +n04156140 +n04156946 +n04157320 +n04158807 +n04158956 +n04160372 +n04160586 +n04160847 +n04161358 +n04161981 +n04162433 +n04162706 +n04163530 +n04164406 +n04164757 +n04164868 +n04165409 +n04166281 +n04167346 +n04168199 +n04169437 +n04170037 +n04170933 +n04171208 +n04171459 +n04171629 +n04171831 +n04172107 +n04172342 +n04172776 +n04172904 +n04173046 +n04173511 +n04173907 +n04174101 +n04175039 +n04175147 +n04176068 +n04176190 +n04176295 +n04177041 +n04177755 +n04177820 +n04177931 +n04178190 +n04178329 +n04179712 +n04179824 +n04179913 +n04180063 +n04180229 +n04180888 +n04181228 +n04181561 +n04182152 +n04182322 +n04183217 +n04183329 +n04184316 +n04184435 +n04184880 +n04185071 +n04185529 +n04185804 +n04185946 +n04186051 +n04186268 +n04186455 +n04186848 +n04187061 +n04187233 +n04187547 +n04187970 +n04188179 +n04189282 +n04189651 +n04189816 +n04190052 +n04190376 +n04190997 +n04191595 +n04191943 +n04192238 +n04192698 +n04192858 +n04193377 +n04194127 +n04194289 +n04196502 +n04197110 +n04197391 +n04197781 +n04198355 +n04198453 +n04198562 +n04198722 +n04198797 +n04199027 +n04200000 +n04200258 +n04200537 +n04200800 +n04201064 +n04201297 +n04201733 +n04202417 +n04204081 +n04204238 +n04204347 +n04205318 +n04205505 +n04206225 +n04206356 +n04206570 +n04206790 +n04207151 +n04207343 +n04207596 +n04207763 +n04207903 +n04208065 +n04208210 +n04208427 +n04208760 +n04208936 +n04209133 +n04209239 +n04209509 +n04209613 +n04210120 +n04210390 +n04211219 +n04211356 +n04211528 +n04211857 +n04211970 +n04212165 +n04212282 +n04212467 +n04213353 +n04214046 +n04214282 +n04215153 +n04215402 +n04216634 +n04216860 +n04216963 +n04217546 +n04217882 +n04218564 +n04219185 +n04219424 +n04220250 +n04221823 +n04222210 +n04222307 +n04222470 +n04222723 +n04223299 +n04224543 +n04224842 +n04225031 +n04225729 +n04225987 +n04226464 +n04226826 +n04227144 +n04227900 +n04228054 +n04228215 +n04228581 +n04228693 +n04229107 +n04229480 +n04229737 +n04229816 +n04230603 +n04230808 +n04231272 +n04231693 +n04231905 +n04232153 +n04232800 +n04233124 +n04233715 +n04234455 +n04234887 +n04235291 +n04235860 +n04236377 +n04236809 +n04236935 +n04237423 +n04238128 +n04238321 +n04238617 +n04238763 +n04239074 +n04239436 +n04239786 +n04240752 +n04241249 +n04241573 +n04242408 +n04243546 +n04243941 +n04244379 +n04244997 +n04245508 +n04246060 +n04246271 +n04246731 +n04246855 +n04247011 +n04247630 +n04247736 +n04247876 +n04248396 +n04248507 +n04248851 +n04249415 +n04249582 +n04249882 +n04250224 +n04250473 +n04250692 +n04250850 +n04251144 +n04251701 +n04251791 +n04252077 +n04252225 +n04252331 +n04252560 +n04252653 +n04253057 +n04253168 +n04253931 +n04254009 +n04254120 +n04254680 +n04254777 +n04255163 +n04255586 +n04255899 +n04256520 +n04256891 +n04257223 +n04257684 +n04257790 +n04257986 +n04258138 +n04258333 +n04258438 +n04258618 +n04258732 +n04258859 +n04259630 +n04260364 +n04261281 +n04261638 +n04262161 +n04263257 +n04263336 +n04263502 +n04264628 +n04264765 +n04264914 +n04265275 +n04265904 +n04266014 +n04266162 +n04266375 +n04266486 +n04266968 +n04267435 +n04269270 +n04269822 +n04269944 +n04270147 +n04270371 +n04270891 +n04271531 +n04272054 +n04272389 +n04272928 +n04273285 +n04273569 +n04273659 +n04273796 +n04273972 +n04274985 +n04275175 +n04275548 +n04275661 +n04277352 +n04277493 +n04277826 +n04278247 +n04278353 +n04278447 +n04279172 +n04279353 +n04279462 +n04281260 +n04281375 +n04282494 +n04282872 +n04282992 +n04283096 +n04283255 +n04283378 +n04283585 +n04283905 +n04284002 +n04284341 +n04284438 +n04284572 +n04284869 +n04285008 +n04285146 +n04285803 +n04285965 +n04286575 +n04287747 +n04287898 +n04288533 +n04289027 +n04289195 +n04289576 +n04289690 +n04289827 +n04290079 +n04290259 +n04290507 +n04290615 +n04292414 +n04292572 +n04292921 +n04293119 +n04294426 +n04294614 +n04294879 +n04295081 +n04295571 +n04295881 +n04296562 +n04297098 +n04297750 +n04297847 +n04298661 +n04299215 +n04299370 +n04299963 +n04300643 +n04301000 +n04301760 +n04303357 +n04303497 +n04304375 +n04304680 +n04305210 +n04305323 +n04305572 +n04306080 +n04306592 +n04306847 +n04307767 +n04307986 +n04308084 +n04308273 +n04308397 +n04309049 +n04309348 +n04309548 +n04309833 +n04310018 +n04310157 +n04310904 +n04311004 +n04311174 +n04311595 +n04312154 +n04312432 +n04313503 +n04313628 +n04314914 +n04315342 +n04315948 +n04316498 +n04317063 +n04317175 +n04317325 +n04317420 +n04317833 +n04317976 +n04318787 +n04318892 +n04319937 +n04320973 +n04321453 +n04322026 +n04322801 +n04323819 +n04324297 +n04324387 +n04325041 +n04325704 +n04326547 +n04326676 +n04326799 +n04326896 +n04327204 +n04327682 +n04328186 +n04328329 +n04328946 +n04329834 +n04329958 +n04330267 +n04330340 +n04330746 +n04330998 +n04331277 +n04331639 +n04332074 +n04332243 +n04332580 +n04333129 +n04333869 +n04334105 +n04334365 +n04334599 +n04335209 +n04335435 +n04335693 +n04335886 +n04336792 +n04337287 +n04338517 +n04338963 +n04339879 +n04340521 +n04340750 +n04340935 +n04341686 +n04344003 +n04344734 +n04344873 +n04345028 +n04345201 +n04346157 +n04346328 +n04346428 +n04347119 +n04347519 +n04347754 +n04348359 +n04349306 +n04349401 +n04350458 +n04350581 +n04350769 +n04350905 +n04351699 +n04353573 +n04354026 +n04354182 +n04354487 +n04354589 +n04355267 +n04355338 +n04355511 +n04355933 +n04356056 +n04356595 +n04356925 +n04357121 +n04357314 +n04357531 +n04358117 +n04358491 +n04358707 +n04358874 +n04359500 +n04360798 +n04360914 +n04361095 +n04361260 +n04363777 +n04363991 +n04364160 +n04364545 +n04365328 +n04366033 +n04366116 +n04366367 +n04367011 +n04367371 +n04367480 +n04367746 +n04367950 +n04368496 +n04369025 +n04369282 +n04370048 +n04370288 +n04370456 +n04370774 +n04371050 +n04371430 +n04371563 +n04371774 +n04372370 +n04373089 +n04373428 +n04373704 +n04373795 +n04373894 +n04374315 +n04374735 +n04375241 +n04375405 +n04375615 +n04376400 +n04376876 +n04377057 +n04378956 +n04379243 +n04379964 +n04380255 +n04380346 +n04380533 +n04380916 +n04381073 +n04381587 +n04381724 +n04381860 +n04381994 +n04382438 +n04382695 +n04382880 +n04383015 +n04383130 +n04383839 +n04384593 +n04384910 +n04385536 +n04385799 +n04386051 +n04386664 +n04386792 +n04387095 +n04387201 +n04387261 +n04387400 +n04387706 +n04387932 +n04388743 +n04389033 +n04389430 +n04389521 +n04389718 +n04389854 +n04390577 +n04390873 +n04390977 +n04391445 +n04391838 +n04392113 +n04392526 +n04392764 +n04392985 +n04393095 +n04393549 +n04393808 +n04394630 +n04395024 +n04395106 +n04395651 +n04396808 +n04396902 +n04397027 +n04397452 +n04397645 +n04397768 +n04398044 +n04398497 +n04398688 +n04398834 +n04398951 +n04399158 +n04399537 +n04399846 +n04400289 +n04400737 +n04401088 +n04401578 +n04401680 +n04401828 +n04401949 +n04402057 +n04402449 +n04402580 +n04402746 +n04402984 +n04403413 +n04403524 +n04403638 +n04403925 +n04404412 +n04404817 +n04404997 +n04405540 +n04405762 +n04405907 +n04406239 +n04406817 +n04407435 +n04407686 +n04408871 +n04409011 +n04409128 +n04409384 +n04409515 +n04409625 +n04409806 +n04410086 +n04411264 +n04412097 +n04412416 +n04413969 +n04414199 +n04414319 +n04414476 +n04414675 +n04414909 +n04415663 +n04416005 +n04417086 +n04417180 +n04417672 +n04417809 +n04418357 +n04419073 +n04419642 +n04419868 +n04421872 +n04422409 +n04422727 +n04422875 +n04423845 +n04424692 +n04425804 +n04426316 +n04426427 +n04427715 +n04428191 +n04428634 +n04429376 +n04430475 +n04430896 +n04431025 +n04431745 +n04432203 +n04432662 +n04433585 +n04434207 +n04434531 +n04434932 +n04435180 +n04435653 +n04436012 +n04436185 +n04436329 +n04437953 +n04438304 +n04438507 +n04438897 +n04439585 +n04439712 +n04440963 +n04441662 +n04441790 +n04442312 +n04442441 +n04442741 +n04443164 +n04443257 +n04443766 +n04444749 +n04445040 +n04445154 +n04445327 +n04445952 +n04446276 +n04446844 +n04447028 +n04447276 +n04447443 +n04447861 +n04448070 +n04448361 +n04449290 +n04449966 +n04450133 +n04450243 +n04450640 +n04450749 +n04450994 +n04451318 +n04451818 +n04452528 +n04452615 +n04452757 +n04453037 +n04453156 +n04453390 +n04453666 +n04454908 +n04455250 +n04455652 +n04456115 +n04457474 +n04457767 +n04457910 +n04458633 +n04458843 +n04459018 +n04459362 +n04459610 +n04459773 +n04459909 +n04460130 +n04461437 +n04461570 +n04461696 +n04461879 +n04462011 +n04462240 +n04463679 +n04464615 +n04464852 +n04465050 +n04465358 +n04465501 +n04465666 +n04466871 +n04467099 +n04467307 +n04467665 +n04468005 +n04469003 +n04469514 +n04469813 +n04471148 +n04471632 +n04472563 +n04473108 +n04474035 +n04474187 +n04474466 +n04475411 +n04475631 +n04476116 +n04476259 +n04476831 +n04476972 +n04477219 +n04477387 +n04477548 +n04478512 +n04479046 +n04479823 +n04479939 +n04480033 +n04480853 +n04482177 +n04482297 +n04482393 +n04483073 +n04483307 +n04483925 +n04484432 +n04485082 +n04485423 +n04485884 +n04486054 +n04486213 +n04486934 +n04487081 +n04487394 +n04487724 +n04488202 +n04488427 +n04488530 +n04488742 +n04488857 +n04489008 +n04489695 +n04489817 +n04490091 +n04491388 +n04491638 +n04491769 +n04492060 +n04492375 +n04492749 +n04493381 +n04494204 +n04495698 +n04495843 +n04496614 +n04496726 +n04496872 +n04497442 +n04497570 +n04497801 +n04498389 +n04499062 +n04499446 +n04500060 +n04501370 +n04501550 +n04501947 +n04502059 +n04502197 +n04502502 +n04502670 +n04502851 +n04503413 +n04503593 +n04504141 +n04505036 +n04505470 +n04506289 +n04506506 +n04506688 +n04507155 +n04508163 +n04508489 +n04508949 +n04509171 +n04509260 +n04509417 +n04510706 +n04511002 +n04513827 +n04513998 +n04514241 +n04515003 +n04516116 +n04516214 +n04516354 +n04516672 +n04517211 +n04517408 +n04517823 +n04518132 +n04518343 +n04518643 +n04518764 +n04519153 +n04520170 +n04520382 +n04520784 +n04521863 +n04522168 +n04523525 +n04523831 +n04524142 +n04524313 +n04524941 +n04525038 +n04525191 +n04525305 +n04525417 +n04525584 +n04525821 +n04526964 +n04527648 +n04528079 +n04528968 +n04529108 +n04529681 +n04529962 +n04530283 +n04530566 +n04531098 +n04531873 +n04532106 +n04532398 +n04532670 +n04532831 +n04533199 +n04533499 +n04533594 +n04533700 +n04533802 +n04533946 +n04534127 +n04534359 +n04534520 +n04534895 +n04535370 +n04535524 +n04536153 +n04536335 +n04536595 +n04536866 +n04538552 +n04539203 +n04539794 +n04540053 +n04540255 +n04541320 +n04541987 +n04542715 +n04542858 +n04542943 +n04543158 +n04543636 +n04543772 +n04543996 +n04544325 +n04544450 +n04545305 +n04545748 +n04545858 +n04546194 +n04546340 +n04547592 +n04548280 +n04548362 +n04549028 +n04549122 +n04549629 +n04549919 +n04550184 +n04551055 +n04552348 +n04552696 +n04553561 +n04553703 +n04554211 +n04554406 +n04554684 +n04554871 +n04555291 +n04555400 +n04555600 +n04555700 +n04555897 +n04556408 +n04556533 +n04556948 +n04557648 +n04557751 +n04558478 +n04559166 +n04559451 +n04559730 +n04559910 +n04560113 +n04560292 +n04560804 +n04560882 +n04561287 +n04561422 +n04561734 +n04562262 +n04562496 +n04562935 +n04563204 +n04563413 +n04564278 +n04564581 +n04565375 +n04566257 +n04566561 +n04566756 +n04568069 +n04568557 +n04568841 +n04569063 +n04569822 +n04570214 +n04570815 +n04571292 +n04571566 +n04571686 +n04571958 +n04573281 +n04573513 +n04573937 +n04574067 +n04574999 +n04575723 +n04575824 +n04576002 +n04576211 +n04577769 +n04578934 +n04579056 +n04579145 +n04579230 +n04579432 +n04579667 +n04579986 +n04580493 +n04581102 +n04581829 +n04582205 +n04582349 +n04582771 +n04582869 +n04583212 +n04583620 +n04584207 +n04584373 +n04585128 +n04585745 +n04585980 +n04586072 +n04586581 +n04586932 +n04587327 +n04587404 +n04587559 +n04587648 +n04588739 +n04589190 +n04589325 +n04589593 +n04589890 +n04590021 +n04590129 +n04590263 +n04590553 +n04590746 +n04590933 +n04591157 +n04591517 +n04591713 +n04591887 +n04592005 +n04592099 +n04592465 +n04592741 +n04593077 +n04593185 +n04593376 +n04593524 +n04593866 +n04594218 +n04594489 +n04594828 +n04595028 +n04595285 +n04595855 +n04596742 +n04596852 +n04597309 +n04597400 +n04597804 +n04597913 +n04598318 +n04598582 +n04598965 +n04599124 +n04599235 +n04600312 +n04600912 +n04602762 +n04602956 +n04603399 +n04603729 +n04603872 +n04604644 +n04605163 +n04605321 +n04605572 +n04605726 +n04606251 +n04606574 +n04607035 +n04607242 +n04607869 +n04608329 +n04608435 +n04608567 +n04608923 +n04609531 +n04609651 +n04610013 +n04610274 +n04610503 +n04610676 +n04612026 +n04612373 +n04612504 +n04613015 +n04613696 +n04613939 +n04614655 +n04615226 +n04615644 +n04950952 +n04951071 +n04951186 +n04953296 +n04955160 +n04959672 +n04960277 +n04960582 +n04961062 +n04961331 +n04961691 +n04962062 +n04962240 +n04963307 +n04963588 +n04963740 +n04964001 +n04964799 +n04964878 +n04965179 +n04965451 +n04965661 +n04966543 +n04966941 +n04967191 +n04967674 +n04967801 +n04967882 +n04968056 +n04968139 +n04968749 +n04968895 +n04969242 +n04969540 +n04969798 +n04969952 +n04970059 +n04970398 +n04970470 +n04970916 +n04971211 +n04971313 +n04972350 +n04972451 +n04972801 +n04973291 +n04973386 +n04973585 +n04973816 +n04974859 +n04976319 +n04976952 +n04977412 +n04979002 +n04981658 +n05218119 +n05238282 +n05239437 +n05242928 +n05244934 +n05245192 +n05258051 +n05259914 +n05260127 +n05260240 +n05261310 +n05262422 +n05262534 +n05263183 +n05263448 +n05282652 +n05302499 +n05399034 +n05399243 +n05418717 +n05450617 +n05451384 +n05453657 +n05486510 +n05526957 +n05538625 +n05578095 +n05581932 +n05586759 +n05716342 +n06255081 +n06263609 +n06266633 +n06266973 +n06267145 +n06267564 +n06267655 +n06267758 +n06267893 +n06267991 +n06271778 +n06272290 +n06272612 +n06272803 +n06273414 +n06273555 +n06273743 +n06273986 +n06274760 +n06275095 +n06275353 +n06275471 +n06276501 +n06276697 +n06277135 +n06277280 +n06278338 +n06278475 +n06281040 +n06359193 +n06359467 +n06415688 +n06417096 +n06470073 +n06592281 +n06595351 +n06596364 +n06596474 +n06596607 +n06596727 +n06785654 +n06793231 +n06794110 +n06874185 +n06883725 +n06892775 +n06998748 +n07005523 +n07248320 +n07273802 +n07461050 +n07556406 +n07556637 +n07556970 +n07557434 +n07560193 +n07560331 +n07560542 +n07560652 +n07560903 +n07561112 +n07561590 +n07561848 +n07562495 +n07563207 +n07564971 +n07565083 +n07565161 +n07565259 +n07566340 +n07567707 +n07568502 +n07568818 +n07569106 +n07569644 +n07570720 +n07572616 +n07572957 +n07573347 +n07573696 +n07574176 +n07574426 +n07574504 +n07574602 +n07574780 +n07574923 +n07575076 +n07575392 +n07575510 +n07575726 +n07575984 +n07576182 +n07576438 +n07576781 +n07577144 +n07577374 +n07577538 +n07578093 +n07579575 +n07579688 +n07579787 +n07579917 +n07580053 +n07580253 +n07580359 +n07580470 +n07580592 +n07581249 +n07581346 +n07581775 +n07581931 +n07582152 +n07582277 +n07582609 +n07582892 +n07583066 +n07584110 +n07584332 +n07584423 +n07584593 +n07585107 +n07585208 +n07585557 +n07585758 +n07585906 +n07586099 +n07586318 +n07586604 +n07586718 +n07586894 +n07587023 +n07587111 +n07587331 +n07587441 +n07587618 +n07587700 +n07587962 +n07588111 +n07588193 +n07588299 +n07588419 +n07588574 +n07588817 +n07588947 +n07590320 +n07590502 +n07590611 +n07590752 +n07591049 +n07591473 +n07591586 +n07591961 +n07592094 +n07592481 +n07592768 +n07593004 +n07593199 +n07593471 +n07594066 +n07595649 +n07595914 +n07596684 +n07596967 +n07597145 +n07597365 +n07598256 +n07598734 +n07599911 +n07599998 +n07600177 +n07600285 +n07600696 +n07601290 +n07601572 +n07601686 +n07601809 +n07604956 +n07605040 +n07605380 +n07605474 +n07605597 +n07605804 +n07605944 +n07606538 +n07606669 +n07606764 +n07607138 +n07607605 +n07607967 +n07608098 +n07608339 +n07608429 +n07608866 +n07609215 +n07609407 +n07609632 +n07609840 +n07610620 +n07611046 +n07611148 +n07611267 +n07611358 +n07611839 +n07611991 +n07612137 +n07612367 +n07612632 +n07612996 +n07613266 +n07613480 +n07613815 +n07614198 +n07614500 +n07614730 +n07614825 +n07615190 +n07615289 +n07615460 +n07615569 +n07615671 +n07615774 +n07616046 +n07616386 +n07616487 +n07616590 +n07616748 +n07617051 +n07617611 +n07617708 +n07617932 +n07618119 +n07618432 +n07619004 +n07619208 +n07619409 +n07620689 +n07621618 +n07623136 +n07624466 +n07625061 +n07627931 +n07628068 +n07631926 +n07639069 +n07641928 +n07642361 +n07642471 +n07642742 +n07642933 +n07643026 +n07643200 +n07643306 +n07643891 +n07643981 +n07648913 +n07648997 +n07650903 +n07651025 +n07654148 +n07654298 +n07655263 +n07665438 +n07666176 +n07678729 +n07679034 +n07679356 +n07680313 +n07680517 +n07680761 +n07680932 +n07681450 +n07681691 +n07682197 +n07682316 +n07682477 +n07682624 +n07682808 +n07682952 +n07683039 +n07683360 +n07683490 +n07683617 +n07683786 +n07684084 +n07684164 +n07684289 +n07684517 +n07684600 +n07684938 +n07685031 +n07685218 +n07685399 +n07685546 +n07685730 +n07685918 +n07686021 +n07686202 +n07686720 +n07686873 +n07687053 +n07687211 +n07687381 +n07687469 +n07687626 +n07687789 +n07688624 +n07688898 +n07689003 +n07689842 +n07690019 +n07690152 +n07690273 +n07690431 +n07690511 +n07690585 +n07690739 +n07690892 +n07691091 +n07691237 +n07691539 +n07691650 +n07691758 +n07691954 +n07692614 +n07693048 +n07693223 +n07693590 +n07693725 +n07693972 +n07694403 +n07694516 +n07694659 +n07694839 +n07695652 +n07695742 +n07695878 +n07695965 +n07696403 +n07696527 +n07696625 +n07696728 +n07696839 +n07696977 +n07697100 +n07697313 +n07697537 +n07697699 +n07697825 +n07698250 +n07698401 +n07698543 +n07698672 +n07698782 +n07700003 +n07704054 +n07704205 +n07705931 +n07707451 +n07708124 +n07708398 +n07708685 +n07709046 +n07709172 +n07709333 +n07710283 +n07710616 +n07710952 +n07711080 +n07711232 +n07711371 +n07711569 +n07712063 +n07712267 +n07712382 +n07712559 +n07712748 +n07712856 +n07712959 +n07713074 +n07713267 +n07713395 +n07713763 +n07713895 +n07714078 +n07714188 +n07714287 +n07714448 +n07714571 +n07714802 +n07714895 +n07714990 +n07715103 +n07715221 +n07715407 +n07715561 +n07715721 +n07716034 +n07716203 +n07716358 +n07716906 +n07717070 +n07717410 +n07717556 +n07718472 +n07718747 +n07719213 +n07719616 +n07719839 +n07720277 +n07720442 +n07720615 +n07720875 +n07721018 +n07721195 +n07721325 +n07721456 +n07721678 +n07721942 +n07722052 +n07722217 +n07722485 +n07722888 +n07723039 +n07723177 +n07723330 +n07723559 +n07723968 +n07724269 +n07724492 +n07724654 +n07724943 +n07725255 +n07725376 +n07725531 +n07725789 +n07725888 +n07726095 +n07726525 +n07726672 +n07726796 +n07727048 +n07727458 +n07727578 +n07727868 +n07728053 +n07728181 +n07728585 +n07728708 +n07729384 +n07729485 +n07729828 +n07729926 +n07730033 +n07730207 +n07730320 +n07730406 +n07730708 +n07730855 +n07731006 +n07731284 +n07731587 +n07731767 +n07731952 +n07732168 +n07732636 +n07732747 +n07732904 +n07733394 +n07733567 +n07733712 +n07734017 +n07734183 +n07734292 +n07734417 +n07734555 +n07734744 +n07734879 +n07735404 +n07735510 +n07735687 +n07735803 +n07736087 +n07736256 +n07736371 +n07736692 +n07736813 +n07737745 +n07739125 +n07739344 +n07739506 +n07740033 +n07740220 +n07740342 +n07740461 +n07740597 +n07740954 +n07741138 +n07741461 +n07742012 +n07742313 +n07742704 +n07743224 +n07743544 +n07743902 +n07744057 +n07744246 +n07744430 +n07744682 +n07744811 +n07745046 +n07745466 +n07745940 +n07746186 +n07746334 +n07746551 +n07747055 +n07747607 +n07747951 +n07748157 +n07748276 +n07748416 +n07748574 +n07748753 +n07748912 +n07749192 +n07749312 +n07749446 +n07749582 +n07749731 +n07749969 +n07750146 +n07750449 +n07750736 +n07750872 +n07751004 +n07751148 +n07751280 +n07751451 +n07752109 +n07752377 +n07752514 +n07752966 +n07753113 +n07753275 +n07753592 +n07753743 +n07753980 +n07754451 +n07754684 +n07754894 +n07755089 +n07755411 +n07755707 +n07755929 +n07756325 +n07756951 +n07757132 +n07757312 +n07757511 +n07757990 +n07758680 +n07759194 +n07759816 +n07760153 +n07760859 +n07761141 +n07761309 +n07762114 +n07762244 +n07762740 +n07762913 +n07763107 +n07763629 +n07763792 +n07763987 +n07764155 +n07764315 +n07764630 +n07764847 +n07765073 +n07765208 +n07765361 +n07765862 +n07765999 +n07766173 +n07766891 +n07767002 +n07767171 +n07767344 +n07767549 +n07767709 +n07767847 +n07768068 +n07768230 +n07768423 +n07768694 +n07768858 +n07769584 +n07769731 +n07770034 +n07770763 +n07771212 +n07771731 +n07772147 +n07772274 +n07772788 +n07772935 +n07774596 +n07774719 +n07774842 +n07775050 +n07775197 +n07800740 +n07801091 +n07801342 +n07801508 +n07801779 +n07801892 +n07802026 +n07802417 +n07802863 +n07802963 +n07803093 +n07803545 +n07804323 +n07804543 +n07804657 +n07804771 +n07804900 +n07805594 +n07805731 +n07806120 +n07806221 +n07806633 +n07806774 +n07807002 +n07807171 +n07807472 +n07807594 +n07807710 +n07807834 +n07807922 +n07808587 +n07808904 +n07809096 +n07810907 +n07812184 +n07814203 +n07814390 +n07814487 +n07814634 +n07815424 +n07815588 +n07816052 +n07816164 +n07816296 +n07816398 +n07816575 +n07816839 +n07817024 +n07817160 +n07817315 +n07817871 +n07818277 +n07818572 +n07818689 +n07818825 +n07818995 +n07819166 +n07819769 +n07819896 +n07820145 +n07820497 +n07820683 +n07821260 +n07821758 +n07821919 +n07822197 +n07822323 +n07822518 +n07822845 +n07823105 +n07823280 +n07823460 +n07823698 +n07823951 +n07824191 +n07824702 +n07825194 +n07825972 +n07826091 +n07826453 +n07826930 +n07827130 +n07827284 +n07827410 +n07827750 +n07828642 +n07829248 +n07829331 +n07829412 +n07830593 +n07831146 +n07831267 +n07832416 +n07832902 +n07834065 +n07834507 +n07834618 +n07834872 +n07835331 +n07835457 +n07835921 +n07836838 +n07837002 +n07837362 +n07837912 +n07838073 +n07838233 +n07838441 +n07838551 +n07840027 +n07840804 +n07841345 +n07841495 +n07841639 +n07841800 +n07841907 +n07842044 +n07842130 +n07842202 +n07842308 +n07842433 +n07842605 +n07842753 +n07843464 +n07843636 +n07843775 +n07844042 +n07844867 +n07845087 +n07845702 +n07846143 +n07847198 +n07847453 +n07847827 +n07847917 +n07848093 +n07848196 +n07848338 +n07849336 +n07849619 +n07849733 +n07849912 +n07850083 +n07850329 +n07851298 +n07851443 +n07851554 +n07851641 +n07851767 +n07852229 +n07852614 +n07852833 +n07854184 +n07854982 +n07855510 +n07855907 +n07857170 +n07857731 +n07858978 +n07859284 +n07859583 +n07859796 +n07860103 +n07860331 +n07860447 +n07860805 +n07860988 +n07861158 +n07861557 +n07861813 +n07862095 +n07862244 +n07862348 +n07862461 +n07862611 +n07863374 +n07863547 +n07863802 +n07864756 +n07864934 +n07865105 +n07865196 +n07865484 +n07866015 +n07866151 +n07866277 +n07866409 +n07866723 +n07866868 +n07867021 +n07867164 +n07867324 +n07867421 +n07867616 +n07867751 +n07868200 +n07868340 +n07868508 +n07868830 +n07868955 +n07869522 +n07869611 +n07869775 +n07870069 +n07870167 +n07870313 +n07871234 +n07871436 +n07871720 +n07871810 +n07872593 +n07873057 +n07873348 +n07873464 +n07873807 +n07874063 +n07874159 +n07874259 +n07874343 +n07874441 +n07874780 +n07875152 +n07875436 +n07875693 +n07876651 +n07877187 +n07877299 +n07877675 +n07877849 +n07877961 +n07878647 +n07878785 +n07878926 +n07879072 +n07879174 +n07879350 +n07879450 +n07879659 +n07879953 +n07880080 +n07880213 +n07880325 +n07880458 +n07880751 +n07880880 +n07880968 +n07881205 +n07881404 +n07881800 +n07882497 +n07883031 +n07883251 +n07884567 +n07885705 +n07886057 +n07886176 +n07886463 +n07886572 +n07886849 +n07887099 +n07887192 +n07887304 +n07887461 +n07887634 +n07887967 +n07888229 +n07888465 +n07888816 +n07889274 +n07889510 +n07889814 +n07890068 +n07890226 +n07890352 +n07890540 +n07890750 +n07891189 +n07891309 +n07891433 +n07891726 +n07892418 +n07892512 +n07892813 +n07893253 +n07893528 +n07893642 +n07893891 +n07894102 +n07894298 +n07894451 +n07894551 +n07894703 +n07894799 +n07894965 +n07895100 +n07895237 +n07895435 +n07895595 +n07895710 +n07895839 +n07895962 +n07896060 +n07896165 +n07896287 +n07896661 +n07896893 +n07896994 +n07897116 +n07897438 +n07897600 +n07897750 +n07897865 +n07897975 +n07898117 +n07898247 +n07898333 +n07898443 +n07898617 +n07898745 +n07899003 +n07899108 +n07899292 +n07899434 +n07899533 +n07899660 +n07899769 +n07899899 +n07900225 +n07900406 +n07900616 +n07900734 +n07900825 +n07900958 +n07901355 +n07901457 +n07901587 +n07902121 +n07902336 +n07902443 +n07902799 +n07902937 +n07903101 +n07903208 +n07903543 +n07903643 +n07903731 +n07903841 +n07903962 +n07904395 +n07904637 +n07904760 +n07904865 +n07904934 +n07905038 +n07905296 +n07905386 +n07905474 +n07905979 +n07906111 +n07906284 +n07906572 +n07906718 +n07906877 +n07907037 +n07907161 +n07907342 +n07907429 +n07907548 +n07907831 +n07907943 +n07908411 +n07908567 +n07908647 +n07908812 +n07909129 +n07909593 +n07910048 +n07910152 +n07910379 +n07910538 +n07910656 +n07911249 +n07911371 +n07911677 +n07912211 +n07913393 +n07913882 +n07914006 +n07914128 +n07914271 +n07914413 +n07914586 +n07914777 +n07914995 +n07915094 +n07915491 +n07915618 +n07915918 +n07916041 +n07916183 +n07916319 +n07917133 +n07917272 +n07917392 +n07917507 +n07917618 +n07918028 +n07918193 +n07918879 +n07919310 +n07919441 +n07919572 +n07920052 +n07920222 +n07920349 +n07920540 +n07920663 +n07920872 +n07920989 +n07921239 +n07921455 +n07921615 +n07922512 +n07922764 +n07923748 +n07924033 +n07924276 +n07924443 +n07924560 +n07924747 +n07924834 +n07924955 +n07925116 +n07925229 +n07925500 +n07925608 +n07925966 +n07926250 +n07926920 +n07927197 +n07927512 +n07927931 +n07928163 +n07928367 +n07928488 +n07928696 +n07928790 +n07928887 +n07929172 +n07929351 +n07929519 +n07930062 +n07930315 +n07930433 +n07930554 +n07930864 +n07931452 +n07931612 +n07931870 +n07932039 +n07932841 +n07933154 +n07933274 +n07933799 +n07934282 +n07935043 +n07935379 +n07935504 +n07935737 +n07935878 +n07936263 +n07936548 +n07936745 +n07937461 +n07938007 +n07938149 +n07938313 +n07942152 +n07951464 +n07954211 +n07977870 +n08182379 +n08242223 +n08249459 +n08256735 +n08376250 +n08492461 +n08494231 +n08495908 +n08505018 +n08517676 +n08518171 +n08521623 +n08524735 +n08539072 +n08547468 +n08547544 +n08551296 +n08555710 +n08560295 +n08571898 +n08573842 +n08578517 +n08579352 +n08580944 +n08583292 +n08583455 +n08584914 +n08596076 +n08598301 +n08598568 +n08611339 +n08614632 +n08616050 +n08628141 +n08633683 +n08640531 +n08640739 +n08640962 +n08645104 +n08645212 +n08649711 +n08658309 +n08659446 +n08659861 +n08663703 +n08673039 +n08677424 +n09189157 +n09191635 +n09193705 +n09194227 +n09199101 +n09205509 +n09206896 +n09206985 +n09208496 +n09210862 +n09217230 +n09218315 +n09218494 +n09218641 +n09219233 +n09224725 +n09228055 +n09229709 +n09230041 +n09230202 +n09233446 +n09238926 +n09239302 +n09242389 +n09245515 +n09246464 +n09247410 +n09249034 +n09251407 +n09256479 +n09257843 +n09259025 +n09259219 +n09260907 +n09263912 +n09265620 +n09267854 +n09269341 +n09269472 +n09270735 +n09274152 +n09279986 +n09282208 +n09283193 +n09283405 +n09283767 +n09283866 +n09287968 +n09288635 +n09289331 +n09290444 +n09294877 +n09295946 +n09300905 +n09302616 +n09303008 +n09303528 +n09304750 +n09305898 +n09308572 +n09308743 +n09309168 +n09309292 +n09326662 +n09331251 +n09332890 +n09335809 +n09337253 +n09344324 +n09348460 +n09349648 +n09359803 +n09361517 +n09362945 +n09366317 +n09376198 +n09376526 +n09376786 +n09381242 +n09382099 +n09384106 +n09392402 +n09393605 +n09396465 +n09398076 +n09398677 +n09399592 +n09400987 +n09403211 +n09403427 +n09403734 +n09405078 +n09406793 +n09409512 +n09409752 +n09411189 +n09415584 +n09415671 +n09416076 +n09416890 +n09421799 +n09421951 +n09428293 +n09428628 +n09432283 +n09433442 +n09433839 +n09435739 +n09436444 +n09436708 +n09437454 +n09438844 +n09438940 +n09439213 +n09442595 +n09443281 +n09443641 +n09444783 +n09445008 +n09445289 +n09447666 +n09448690 +n09450163 +n09451237 +n09452395 +n09452760 +n09453008 +n09454153 +n09454412 +n09457979 +n09460046 +n09461069 +n09466678 +n09468604 +n09472413 +n09472597 +n09475044 +n09475179 +n09475925 +n09481120 +n09618880 +n09618957 +n09666883 +n09763784 +n09792969 +n09818022 +n09820263 +n09828216 +n09833536 +n09834699 +n09835506 +n09842047 +n09846755 +n09856671 +n09858165 +n09861946 +n09874862 +n09877951 +n09893191 +n09893502 +n09894445 +n09896685 +n09913593 +n09915651 +n09917214 +n09923561 +n09932508 +n09945745 +n09990415 +n09990777 +n10020890 +n10043643 +n10080869 +n10082043 +n10087434 +n10091651 +n10092794 +n10120671 +n10123844 +n10142747 +n10147935 +n10148035 +n10150071 +n10151760 +n10153594 +n10155849 +n10164233 +n10164492 +n10185793 +n10186216 +n10223177 +n10229883 +n10253296 +n10260800 +n10263411 +n10283170 +n10297234 +n10298912 +n10300303 +n10304914 +n10305802 +n10324560 +n10333601 +n10334009 +n10340312 +n10345015 +n10348526 +n10366966 +n10382710 +n10386984 +n10393909 +n10405694 +n10421470 +n10467179 +n10469874 +n10474645 +n10500217 +n10509063 +n10514429 +n10521662 +n10530150 +n10536416 +n10542761 +n10542888 +n10559288 +n10560106 +n10562135 +n10565667 +n10582746 +n10599806 +n10610465 +n10618342 +n10628644 +n10634849 +n10638922 +n10642596 +n10655594 +n10665698 +n10679174 +n10701180 +n10701644 +n10707233 +n10721321 +n10732010 +n10755080 +n10763383 +n10772092 +n10780632 +n10806113 +n11448153 +n11487732 +n11508382 +n11524451 +n11532682 +n11533212 +n11536673 +n11537327 +n11542137 +n11542640 +n11544015 +n11545714 +n11547855 +n11552133 +n11552806 +n11599324 +n11600372 +n11601177 +n11601333 +n11601918 +n11602873 +n11603246 +n11603835 +n11608250 +n11609475 +n11609862 +n11610215 +n11611087 +n11611233 +n11611356 +n11611561 +n11611758 +n11612018 +n11612349 +n11612575 +n11613219 +n11613459 +n11614039 +n11614250 +n11614420 +n11614713 +n11615026 +n11615387 +n11615607 +n11615967 +n11616486 +n11616662 +n11617090 +n11617272 +n11617631 +n11618290 +n11618525 +n11618861 +n11619227 +n11619455 +n11620673 +n11621029 +n11621281 +n11621547 +n11621727 +n11621950 +n11622184 +n11622368 +n11622591 +n11622771 +n11623105 +n11623815 +n11623967 +n11624192 +n11624531 +n11625003 +n11625223 +n11625632 +n11625804 +n11626152 +n11626409 +n11626585 +n11626826 +n11627168 +n11627512 +n11627908 +n11628087 +n11628456 +n11628793 +n11630017 +n11631854 +n11632167 +n11632619 +n11634736 +n11635152 +n11635433 +n11635830 +n11636204 +n11636835 +n11639445 +n11640132 +n11643835 +n11644046 +n11644226 +n11644462 +n11645590 +n11645914 +n11646167 +n11646344 +n11646694 +n11647306 +n11647703 +n11650558 +n11652376 +n11653904 +n11655974 +n11658331 +n11658544 +n11660300 +n11661372 +n11661909 +n11662371 +n11664418 +n11665372 +n11666854 +n11669786 +n11669921 +n11672269 +n11672400 +n11675025 +n11676500 +n11678010 +n11680596 +n11682659 +n11686912 +n11690254 +n11690455 +n11691046 +n11691857 +n11692265 +n11692792 +n11693981 +n11694664 +n11695599 +n11695974 +n11698042 +n11699442 +n11700058 +n11701066 +n11703669 +n11704093 +n11704620 +n11705171 +n11705387 +n11705776 +n11706761 +n11707229 +n11709205 +n11709674 +n11710136 +n11710393 +n11710827 +n11711537 +n11711764 +n11712282 +n11714382 +n11715430 +n11715678 +n11717577 +n11719286 +n11720353 +n11720643 +n11720891 +n11721337 +n11722466 +n11722982 +n11723227 +n11723770 +n11724109 +n11725015 +n11725311 +n11725480 +n11725821 +n11725973 +n11726269 +n11726707 +n11727091 +n11727358 +n11727540 +n11727738 +n11728099 +n11728945 +n11730602 +n11731659 +n11732567 +n11733054 +n11733312 +n11733548 +n11735053 +n11736694 +n11736851 +n11737534 +n11748811 +n11752937 +n11753143 +n11753355 +n11753700 +n11754893 +n11756092 +n11756669 +n11756870 +n11757653 +n11757851 +n11758122 +n11758276 +n11758483 +n11758799 +n11759224 +n11759404 +n11759853 +n11760785 +n11761202 +n11762433 +n11769176 +n11769621 +n11769803 +n11770256 +n11772408 +n11772879 +n11773987 +n11774513 +n11777080 +n11778257 +n11779300 +n11780148 +n11781176 +n11782036 +n11782761 +n11783920 +n11784126 +n11784497 +n11785668 +n11786131 +n11786539 +n11788727 +n11789066 +n11789589 +n11791341 +n11791569 +n11792029 +n11792341 +n11792742 +n11793779 +n11794024 +n11794519 +n11795049 +n11797321 +n11800236 +n11801891 +n11802586 +n11802800 +n11805544 +n11805956 +n11806219 +n11807108 +n11807525 +n11807979 +n11808299 +n11808468 +n11808721 +n11808932 +n11809094 +n11809271 +n11809437 +n11809594 +n11810358 +n11811473 +n11811706 +n11811921 +n11812094 +n11812910 +n11813077 +n11814584 +n11815491 +n11815721 +n11815918 +n11816121 +n11816336 +n11816649 +n11816829 +n11817914 +n11818069 +n11819509 +n11819912 +n11820965 +n11821184 +n11823436 +n11824146 +n11825351 +n11826198 +n11830906 +n11832214 +n11832480 +n11834654 +n11836722 +n11837970 +n11838916 +n11839568 +n11839823 +n11840067 +n11844371 +n11844892 +n11845557 +n11845793 +n11845913 +n11846765 +n11847169 +n11848479 +n11849467 +n11849871 +n11849983 +n11850521 +n11851258 +n11851578 +n11851839 +n11852028 +n11853356 +n11853813 +n11854479 +n11855274 +n11855553 +n11857875 +n11859472 +n11859737 +n11860555 +n11861641 +n11861853 +n11862835 +n11865874 +n11866248 +n11870418 +n11870747 +n11872146 +n11874081 +n11875523 +n11875691 +n11875938 +n11876204 +n11876432 +n11876634 +n11876803 +n11877193 +n11877283 +n11877646 +n11878101 +n11879054 +n11879722 +n11879895 +n11882074 +n11882426 +n11883328 +n11887119 +n11888800 +n11889619 +n11890150 +n11891175 +n11892029 +n11892637 +n11892817 +n11893640 +n11894327 +n11894558 +n11894770 +n11895092 +n11896722 +n11897116 +n11898775 +n11900569 +n11901294 +n11901597 +n11901759 +n11901977 +n11902200 +n11902389 +n11902709 +n11902982 +n11903671 +n11904109 +n11905392 +n11905749 +n11906917 +n11907100 +n11907689 +n11908549 +n11908846 +n11910271 +n11910460 +n11915214 +n11915658 +n11915899 +n11916467 +n11916696 +n11918286 +n11918473 +n11921395 +n11923174 +n11923397 +n11923637 +n11924445 +n11924849 +n11925303 +n11925898 +n11926365 +n11926833 +n11927215 +n11928352 +n11928858 +n11929743 +n11931540 +n11931918 +n11933546 +n11933728 +n11934616 +n11934807 +n11935469 +n11939180 +n11939491 +n11939699 +n11940006 +n11940599 +n11941924 +n11943407 +n11943660 +n11943992 +n11944196 +n11944954 +n11945514 +n11945783 +n11946727 +n11947629 +n11947802 +n11948264 +n11948864 +n11949015 +n11949402 +n11950345 +n11950686 +n11950877 +n11953038 +n11953610 +n11953884 +n11954161 +n11954345 +n11954642 +n11955153 +n11955896 +n11956348 +n11956850 +n11957678 +n11958080 +n11959632 +n11959862 +n11960245 +n11961100 +n11961446 +n11962272 +n11962667 +n11963932 +n11965218 +n11965627 +n11966083 +n11966215 +n11966617 +n11966896 +n11968704 +n11968931 +n11969166 +n11969607 +n11970586 +n11971248 +n11971406 +n11971783 +n11971927 +n11972291 +n11972759 +n11973341 +n11977303 +n11978233 +n11978551 +n11978713 +n11978961 +n11979527 +n11979715 +n11979964 +n11980318 +n11980682 +n11981192 +n11982115 +n11984144 +n11984542 +n11986511 +n11987126 +n11988596 +n11989393 +n11989869 +n11990167 +n11990313 +n11991263 +n11992806 +n11995092 +n11998888 +n12001707 +n12002428 +n12003167 +n12003696 +n12004547 +n12005656 +n12006766 +n12006930 +n12007196 +n12007406 +n12008252 +n12008487 +n12008749 +n12009420 +n12011620 +n12012111 +n12014085 +n12015221 +n12015525 +n12015959 +n12016567 +n12018760 +n12019827 +n12020184 +n12020507 +n12020736 +n12020941 +n12022054 +n12023108 +n12023407 +n12023726 +n12024445 +n12024690 +n12026018 +n12026476 +n12026981 +n12027222 +n12027658 +n12029635 +n12030908 +n12031139 +n12031927 +n12033709 +n12034141 +n12034384 +n12036939 +n12037499 +n12037691 +n12038406 +n12038585 +n12038898 +n12039317 +n12041446 +n12043444 +n12043673 +n12043836 +n12044467 +n12046028 +n12046428 +n12046815 +n12047345 +n12047884 +n12048056 +n12048399 +n12049282 +n12049562 +n12050533 +n12050959 +n12051103 +n12052447 +n12052787 +n12053405 +n12053690 +n12055516 +n12056217 +n12056601 +n12056758 +n12057211 +n12057447 +n12057660 +n12058192 +n12058630 +n12058822 +n12059314 +n12059625 +n12061380 +n12061614 +n12062468 +n12062626 +n12062781 +n12063639 +n12064389 +n12064591 +n12065316 +n12065777 +n12066018 +n12066261 +n12066630 +n12067193 +n12068432 +n12069217 +n12069679 +n12070016 +n12070381 +n12070583 +n12070712 +n12071744 +n12072722 +n12073554 +n12073991 +n12074408 +n12074867 +n12075010 +n12075151 +n12075299 +n12075830 +n12076223 +n12076577 +n12076852 +n12077944 +n12078172 +n12079120 +n12079963 +n12080395 +n12080820 +n12081215 +n12083113 +n12083591 +n12083847 +n12084555 +n12084890 +n12085267 +n12085664 +n12086012 +n12086192 +n12086539 +n12086778 +n12088223 +n12090890 +n12091213 +n12091377 +n12091550 +n12091953 +n12092262 +n12092417 +n12093329 +n12093600 +n12094612 +n12095020 +n12095647 +n12098403 +n12099342 +n12101870 +n12102133 +n12104238 +n12104501 +n12104734 +n12105125 +n12107710 +n12107970 +n12108871 +n12109365 +n12110085 +n12110778 +n12112008 +n12112609 +n12112918 +n12113195 +n12115180 +n12116429 +n12119238 +n12121610 +n12122725 +n12123741 +n12124627 +n12124818 +n12127460 +n12127768 +n12128071 +n12129134 +n12133462 +n12133682 +n12134025 +n12135049 +n12136392 +n12137120 +n12137569 +n12139575 +n12141167 +n12142085 +n12144313 +n12144580 +n12145477 +n12146311 +n12148757 +n12150722 +n12151615 +n12152532 +n12152722 +n12154773 +n12155009 +n12157056 +n12158031 +n12158443 +n12159055 +n12159388 +n12160303 +n12160490 +n12160857 +n12161056 +n12161969 +n12162181 +n12162425 +n12164363 +n12164656 +n12164881 +n12165170 +n12166128 +n12166424 +n12166793 +n12167075 +n12167436 +n12167602 +n12168565 +n12171098 +n12171316 +n12171966 +n12172364 +n12172481 +n12172906 +n12173069 +n12173664 +n12173912 +n12174311 +n12174521 +n12178896 +n12179122 +n12180168 +n12180885 +n12184912 +n12185859 +n12187247 +n12189429 +n12189987 +n12190410 +n12190869 +n12194147 +n12195533 +n12196336 +n12196527 +n12196694 +n12198286 +n12199790 +n12200143 +n12201331 +n12201580 +n12202936 +n12203529 +n12204032 +n12204175 +n12205694 +n12214789 +n12215022 +n12215579 +n12217453 +n12223569 +n12223764 +n12224978 +n12225563 +n12227658 +n12228229 +n12228387 +n12230794 +n12237486 +n12237641 +n12240477 +n12242409 +n12243109 +n12244153 +n12244650 +n12244819 +n12245319 +n12246232 +n12249542 +n12252168 +n12257570 +n12258885 +n12260799 +n12261571 +n12261808 +n12262018 +n12262185 +n12263038 +n12263738 +n12263987 +n12264512 +n12265600 +n12266217 +n12266796 +n12267411 +n12267677 +n12268246 +n12269241 +n12269406 +n12270027 +n12270741 +n12270946 +n12271933 +n12272239 +n12272883 +n12273114 +n12273344 +n12273768 +n12273939 +n12274358 +n12274863 +n12275131 +n12275675 +n12275888 +n12276110 +n12276477 +n12276628 +n12276872 +n12277150 +n12277578 +n12277800 +n12278107 +n12278371 +n12278650 +n12279458 +n12279772 +n12280060 +n12281241 +n12281788 +n12281974 +n12282235 +n12282527 +n12282737 +n12282933 +n12283542 +n12284262 +n12284821 +n12285369 +n12285900 +n12286826 +n12286988 +n12287836 +n12288005 +n12288823 +n12290748 +n12291143 +n12291959 +n12293723 +n12294124 +n12294331 +n12294723 +n12294871 +n12295033 +n12295796 +n12296432 +n12300840 +n12301180 +n12301445 +n12302071 +n12302248 +n12303083 +n12303462 +n12304115 +n12304703 +n12304899 +n12305089 +n12305293 +n12305475 +n12305819 +n12305986 +n12306089 +n12306717 +n12307076 +n12307240 +n12309277 +n12311579 +n12312728 +n12315598 +n12315999 +n12316444 +n12316572 +n12317296 +n12318378 +n12319204 +n12319414 +n12320010 +n12320806 +n12322099 +n12322501 +n12322699 +n12325234 +n12328398 +n12328567 +n12329260 +n12329473 +n12330469 +n12330587 +n12330891 +n12331655 +n12332030 +n12332555 +n12333053 +n12333530 +n12333771 +n12334293 +n12336092 +n12336224 +n12336333 +n12336727 +n12336973 +n12337617 +n12338258 +n12338454 +n12338655 +n12338796 +n12339831 +n12340383 +n12340755 +n12342299 +n12342498 +n12342852 +n12343480 +n12344283 +n12344483 +n12344700 +n12344837 +n12345280 +n12345899 +n12347158 +n12350758 +n12352287 +n12352639 +n12352844 +n12352990 +n12353203 +n12353754 +n12356023 +n12356960 +n12357485 +n12360108 +n12360684 +n12361135 +n12361946 +n12362274 +n12362668 +n12367611 +n12368028 +n12368257 +n12368451 +n12369309 +n12371439 +n12373100 +n12374418 +n12383894 +n12384037 +n12384227 +n12384839 +n12385429 +n12385566 +n12387633 +n12387839 +n12388143 +n12388858 +n12388989 +n12389130 +n12389501 +n12390099 +n12390314 +n12392549 +n12393269 +n12397431 +n12399132 +n12399384 +n12400489 +n12400720 +n12401684 +n12402051 +n12402348 +n12402596 +n12402840 +n12403994 +n12405714 +n12406488 +n12406715 +n12406902 +n12407079 +n12407222 +n12407890 +n12408077 +n12408717 +n12409231 +n12409470 +n12409840 +n12412355 +n12412606 +n12413165 +n12413301 +n12413419 +n12413880 +n12414035 +n12414449 +n12414818 +n12414932 +n12415595 +n12416073 +n12418221 +n12421137 +n12421683 +n12421917 +n12422129 +n12426623 +n12426749 +n12427184 +n12427391 +n12427566 +n12427757 +n12428076 +n12428412 +n12428747 +n12429352 +n12432356 +n12433081 +n12433178 +n12433769 +n12435152 +n12435649 +n12435777 +n12437513 +n12437769 +n12437930 +n12441183 +n12441390 +n12441958 +n12443323 +n12446519 +n12448700 +n12449296 +n12449526 +n12450344 +n12450840 +n12451240 +n12451399 +n12451915 +n12452836 +n12453186 +n12454159 +n12454436 +n12454705 +n12454949 +n12455950 +n12457091 +n12458550 +n12459629 +n12460697 +n12460957 +n12461109 +n12461466 +n12461673 +n12462805 +n12463134 +n12465557 +n12466727 +n12469517 +n12472024 +n12473608 +n12473840 +n12474167 +n12475035 +n12475242 +n12476510 +n12477163 +n12477583 +n12477747 +n12478768 +n12479537 +n12480456 +n12480895 +n12481458 +n12482437 +n12482668 +n12482893 +n12483427 +n12483625 +n12483841 +n12484784 +n12485653 +n12485981 +n12486574 +n12489815 +n12491017 +n12491826 +n12492106 +n12493208 +n12494794 +n12495146 +n12495895 +n12496427 +n12496949 +n12498055 +n12501202 +n12504570 +n12504783 +n12506341 +n12506991 +n12508309 +n12509476 +n12509665 +n12513172 +n12513613 +n12513933 +n12514138 +n12515711 +n12515925 +n12516828 +n12517445 +n12517642 +n12519089 +n12519563 +n12521394 +n12523475 +n12527738 +n12528549 +n12528974 +n12529220 +n12530629 +n12530818 +n12532564 +n12539306 +n12540250 +n12544539 +n12545635 +n12546183 +n12546617 +n12546962 +n12547215 +n12547503 +n12548280 +n12549192 +n12552309 +n12554911 +n12556656 +n12557438 +n12557556 +n12557681 +n12558230 +n12558425 +n12560282 +n12560621 +n12560775 +n12561169 +n12562785 +n12564083 +n12566954 +n12568186 +n12570394 +n12570703 +n12570972 +n12571781 +n12573474 +n12574320 +n12574866 +n12575322 +n12575812 +n12576323 +n12577895 +n12578626 +n12578916 +n12579038 +n12580654 +n12580896 +n12582231 +n12582665 +n12582846 +n12583126 +n12583401 +n12584191 +n12584715 +n12585629 +n12587132 +n12587803 +n12588320 +n12588780 +n12590232 +n12590499 +n12591017 +n12591351 +n12593994 +n12595699 +n12595964 +n12596148 +n12596709 +n12596849 +n12597134 +n12597466 +n12597798 +n12598027 +n12599435 +n12602262 +n12602980 +n12603449 +n12604228 +n12606438 +n12606545 +n12607456 +n12610328 +n12614477 +n12615232 +n12620196 +n12620546 +n12620969 +n12621410 +n12622297 +n12622875 +n12623077 +n12624381 +n12624568 +n12625383 +n12627119 +n12628986 +n12629305 +n12629666 +n12630763 +n12631331 +n12632335 +n12633638 +n12633994 +n12634211 +n12634429 +n12634734 +n12634986 +n12635532 +n12635744 +n12635955 +n12636224 +n12638218 +n12638753 +n12639584 +n12640839 +n12641007 +n12641413 +n12642090 +n12642200 +n12643313 +n12643473 +n12644902 +n12645174 +n12646605 +n12646740 +n12647560 +n12647893 +n12648045 +n12648888 +n12649065 +n12649317 +n12649539 +n12650379 +n12650556 +n12651229 +n12651611 +n12651821 +n12655869 +n12656369 +n12656685 +n12657082 +n12658118 +n12658308 +n12658481 +n12659064 +n12659356 +n12659539 +n12662772 +n12663023 +n12665048 +n12665271 +n12665857 +n12666965 +n12670758 +n12671651 +n12675299 +n12675876 +n12676534 +n12676703 +n12680402 +n12680864 +n12681893 +n12682411 +n12682668 +n12683407 +n12683571 +n12683791 +n12684379 +n12685431 +n12685831 +n12686077 +n12686274 +n12686676 +n12687044 +n12687462 +n12687698 +n12687957 +n12688716 +n12691428 +n12691661 +n12694486 +n12695975 +n12696492 +n12698598 +n12700088 +n12703190 +n12703383 +n12703557 +n12703856 +n12704343 +n12706410 +n12707781 +n12708293 +n12708654 +n12708941 +n12709103 +n12709688 +n12709901 +n12710295 +n12710415 +n12710577 +n12710693 +n12711596 +n12711817 +n12711984 +n12713063 +n12713866 +n12714755 +n12717072 +n12717224 +n12719684 +n12719944 +n12720200 +n12723610 +n12724942 +n12725738 +n12726159 +n12726670 +n12727101 +n12727518 +n12729315 +n12729521 +n12729729 +n12731029 +n12731401 +n12731835 +n12732009 +n12732491 +n12732756 +n12732966 +n12733218 +n12733647 +n12733870 +n12734070 +n12737383 +n12737898 +n12739332 +n12741222 +n12741792 +n12743352 +n12744387 +n12745386 +n12746884 +n12749049 +n12749679 +n12749852 +n12752205 +n12753007 +n12753245 +n12753573 +n12753762 +n12754003 +n12754468 +n12754648 +n12754781 +n12754981 +n12755225 +n12755387 +n12755727 +n12756457 +n12757303 +n12757458 +n12757816 +n12759273 +n12761284 +n12762049 +n12762896 +n12764202 +n12765115 +n12766595 +n12766869 +n12768682 +n12771192 +n12771390 +n12771597 +n12772753 +n12772908 +n12773651 +n12774299 +n12774641 +n12775919 +n12777680 +n12778398 +n12778605 +n12779603 +n12779851 +n12781940 +n12782530 +n12782915 +n12784889 +n12785724 +n12785889 +n12788854 +n12789054 +n12790430 +n12791064 +n12791329 +n12793015 +n12793284 +n12793494 +n12794135 +n12794367 +n12794985 +n12795352 +n12795555 +n12796022 +n12797860 +n12799776 +n12801520 +n12801781 +n12803754 +n12805146 +n12805561 +n12806015 +n12806732 +n12807251 +n12807409 +n12807773 +n12810595 +n12811027 +n12812478 +n12813189 +n12814643 +n12815198 +n12816508 +n12817464 +n12817694 +n12818346 +n12818966 +n12819728 +n12820853 +n12821505 +n12821895 +n12822115 +n12822769 +n12822955 +n12823717 +n12823859 +n12824053 +n12825497 +n12827270 +n12827537 +n12828220 +n12828791 +n12830222 +n12830568 +n12832315 +n12832538 +n12833149 +n12833985 +n12834798 +n12835331 +n12836212 +n12836337 +n12836508 +n12836862 +n12840362 +n12840749 +n12841007 +n12841193 +n12841354 +n12843970 +n12844939 +n12845413 +n12847008 +n12847374 +n12847927 +n12848499 +n12849061 +n12849279 +n12849416 +n12849952 +n12850168 +n12850336 +n12850906 +n12851469 +n12853482 +n12854600 +n12855494 +n12856091 +n12856287 +n12856479 +n12856680 +n12858150 +n12858397 +n12858618 +n12858871 +n12859986 +n12860365 +n12861345 +n12861892 +n12862512 +n12863624 +n12864160 +n12865037 +n12865562 +n12865708 +n12865824 +n12866002 +n12866162 +n12866459 +n12866635 +n12867826 +n12869061 +n12869478 +n12870535 +n12870682 +n12870891 +n12877838 +n12879527 +n12879963 +n12880244 +n12880462 +n12882779 +n12882945 +n12884100 +n12884260 +n12887293 +n12889219 +n12889713 +n12890265 +n12890490 +n12890685 +n12890928 +n12891093 +n12891305 +n12891469 +n12891643 +n12893463 +n12893993 +n12895811 +n12898774 +n12899537 +n12899752 +n12901724 +n12902662 +n12904314 +n12905412 +n12906214 +n12908645 +n12909421 +n12909917 +n12911079 +n12911440 +n12911673 +n12913791 +n12914923 +n12915568 +n12915811 +n12916179 +n12916511 +n12917901 +n12919403 +n12919646 +n12919847 +n12920204 +n12920955 +n12921868 +n12922763 +n12924623 +n12925179 +n12926480 +n12926689 +n12927013 +n12927494 +n12928071 +n12929403 +n12931542 +n12932173 +n12932365 +n12932966 +n12934036 +n12934174 +n12934479 +n12934985 +n12935609 +n12937130 +n12938193 +n12939282 +n12939874 +n12940226 +n12940609 +n12942395 +n12942572 +n12946849 +n12947313 +n12947544 +n12948053 +n12948251 +n12948495 +n12950126 +n12950314 +n12951146 +n12951835 +n12953206 +n12953484 +n12957924 +n12961879 +n12963628 +n12965626 +n12966945 +n12969131 +n12969425 +n12973443 +n12974987 +n12975804 +n12979829 +n12980840 +n12982468 +n12983048 +n12985420 +n12985773 +n12985857 +n12986227 +n12987056 +n12988158 +n12989938 +n12991184 +n12992177 +n12992868 +n12995601 +n12997654 +n12997919 +n12998815 +n13000891 +n13001041 +n13001206 +n13001366 +n13001529 +n13001930 +n13002750 +n13002925 +n13003061 +n13003254 +n13003522 +n13003712 +n13004423 +n13005329 +n13005984 +n13006171 +n13006631 +n13006894 +n13007034 +n13007417 +n13008315 +n13009085 +n13009429 +n13011595 +n13012253 +n13013534 +n13013764 +n13014409 +n13014741 +n13017102 +n13017240 +n13019835 +n13020191 +n13020964 +n13021689 +n13022210 +n13022709 +n13023134 +n13024012 +n13025647 +n13028611 +n13029326 +n13029760 +n13032115 +n13032381 +n13032618 +n13032923 +n13033134 +n13033577 +n13034062 +n13035241 +n13035707 +n13037406 +n13038068 +n13038744 +n13039349 +n13040303 +n13040629 +n13041312 +n13043926 +n13044375 +n13044778 +n13046669 +n13049953 +n13050397 +n13052670 +n13052931 +n13053608 +n13054073 +n13054560 +n13055423 +n13055577 +n13055949 +n13060190 +n13061348 +n13062421 +n13065089 +n13066448 +n13068255 +n13072528 +n13074619 +n13077033 +n13077295 +n13079073 +n13083023 +n13084184 +n13084834 +n13085747 +n13090871 +n13091620 +n13099999 +n13100677 +n13102775 +n13103877 +n13104059 +n13107694 +n13107891 +n13108131 +n13108323 +n13108481 +n13108545 +n13108841 +n13111881 +n13121349 +n13122364 +n13123431 +n13125117 +n13126856 +n13127843 +n13128976 +n13130726 +n13131028 +n13131618 +n13132338 +n13132656 +n13133613 +n13133932 +n13134947 +n13135832 +n13136316 +n13136556 +n13137409 +n13138842 +n13141415 +n13141564 +n13142504 +n13145040 +n13145250 +n13146583 +n13147270 +n13148208 +n13150894 +n13154388 +n13154494 +n13155095 +n13155305 +n13158512 +n13160604 +n13163991 +n13172923 +n13173882 +n13177048 +n13177884 +n13180534 +n13180875 +n13181055 +n13181811 +n13183056 +n13183489 +n13185269 +n13187367 +n13190747 +n13192625 +n13193642 +n13193856 +n13194036 +n13194572 +n13195341 +n13196003 +n13197274 +n13197507 +n13198914 +n13199717 +n13199970 +n13200651 +n13201969 +n13205058 +n13206817 +n13207094 +n13207335 +n13209808 +n13213066 +n13214340 +n13215586 +n13219422 +n13219833 +n13219976 +n13220122 +n13221529 +n13223588 +n13223710 +n13223843 +n13226871 +n13229543 +n13231078 +n13232779 +n13234678 +n13235159 +n13235503 +n13237188 +n13238375 +n13238988 +n13579829 +n13653902 +n13862407 +n13863020 +n13863771 +n13864035 +n13865298 +n13865483 +n13865904 +n13868944 +n13869547 +n13869788 +n13869896 +n13872592 +n13872822 +n13873502 +n13873917 +n13875392 +n13875571 +n13876561 +n13878306 +n13879049 +n13879320 +n13880994 +n13881644 +n13882201 +n13882276 +n13882563 +n13886260 +n13895262 +n13896100 +n13896217 +n13897996 +n13898207 +n13900287 +n13900422 +n13901211 +n13901321 +n13901858 +n13902048 +n13902336 +n13905792 +n13907272 +n13908201 +n13908580 +n13912260 +n13912540 +n13914608 +n13915023 +n13915113 +n13916721 +n13918274 +n13918387 +n13919547 +n13919919 +n13926786 +n14131950 +n14564779 +n14685296 +n14696793 +n14698884 +n14765422 +n14785065 +n14810561 +n14820180 +n14844693 +n14858292 +n14900342 +n14908027 +n14915184 +n14919819 +n14973585 +n14974264 +n14976759 +n14976871 +n14977504 +n15019030 +n15062057 +n15067877 +n15075141 +n15086247 +n15089258 +n15090065 +n15091129 +n15091304 +n15091473 +n15091669 +n15091846 +n15092059 +n15092227 +n15092650 +n15092942 +n15093137 +n15093298 +n15102455 +n15102894 diff --git a/results/imagenet22k_synsets.txt b/timm/data/_info/imagenet22k_synsets.txt similarity index 100% rename from results/imagenet22k_synsets.txt rename to timm/data/_info/imagenet22k_synsets.txt diff --git a/results/imagenet22k_to_12k_indices.txt b/timm/data/_info/imagenet22k_to_12k_indices.txt similarity index 100% rename from results/imagenet22k_to_12k_indices.txt rename to timm/data/_info/imagenet22k_to_12k_indices.txt diff --git a/results/imagenet_a_indices.txt b/timm/data/_info/imagenet_a_indices.txt similarity index 100% rename from results/imagenet_a_indices.txt rename to timm/data/_info/imagenet_a_indices.txt diff --git a/results/imagenet_a_synsets.txt b/timm/data/_info/imagenet_a_synsets.txt similarity index 100% rename from results/imagenet_a_synsets.txt rename to timm/data/_info/imagenet_a_synsets.txt diff --git a/results/imagenet_r_indices.txt b/timm/data/_info/imagenet_r_indices.txt similarity index 100% rename from results/imagenet_r_indices.txt rename to timm/data/_info/imagenet_r_indices.txt diff --git a/results/imagenet_r_synsets.txt b/timm/data/_info/imagenet_r_synsets.txt similarity index 100% rename from results/imagenet_r_synsets.txt rename to timm/data/_info/imagenet_r_synsets.txt diff --git a/results/imagenet_real_labels.json b/timm/data/_info/imagenet_real_labels.json similarity index 100% rename from results/imagenet_real_labels.json rename to timm/data/_info/imagenet_real_labels.json diff --git a/timm/data/_info/imagenet_synset_to_definition.txt b/timm/data/_info/imagenet_synset_to_definition.txt new file mode 100644 index 00000000..cf41b1ef --- /dev/null +++ b/timm/data/_info/imagenet_synset_to_definition.txt @@ -0,0 +1,21844 @@ +n00004475 a living thing that has (or can develop) the ability to act or function independently +n00005787 organisms (plants and animals) that live at or near the bottom of a sea +n00006024 an organism that depends on complex organic substances for nutrition +n00006484 (biology) the basic structural and functional unit of all organisms; they may exist as independent units of life (as in monads) or may form colonies or tissues as in higher plants and animals +n00007846 a human being +n00015388 a living organism characterized by voluntary movement +n00017222 (botany) a living organism lacking the power of locomotion +n00021265 any substance that can be metabolized by an animal to give energy and build tissue +n00021939 a man-made object taken as a whole +n00120010 the act of hopping; jumping upward or forward (especially on one foot) +n00141669 the act of reporting your presence (as at an airport or a hotel) +n00288000 maneuvers of a horse in response to body signals by the rider +n00288190 a light leap by a horse in which both hind legs leave the ground before the forelegs come down +n00288384 a cadenced trot executed by the horse in one spot +n00324978 walking on a tightrope or slack rope +n00326094 the sport or pastime of scaling rock masses on mountain sides (especially with the help of ropes and special equipment) +n00433458 a sport that necessarily involves body contact between opposing players +n00433661 a sport that is played outdoors +n00433802 a sport that involves exercises intended to display strength and balance and agility +n00434075 the gymnastic moves of an acrobat +n00439826 participating in athletic sports performed on a running track or on the field associated with it +n00440039 the act of participating in an athletic competition involving running on a track +n00440218 the act of participating in an athletic competition in which you must jump +n00440382 the act of jumping as far as possible from a running start +n00440509 the act of jumping as high as possible over a horizontal bar +n00440643 jumping over the bar backwards and head first +n00440747 a sport in which participants must travel on skis +n00440941 the sport of skiing across the countryside (rather than downhill) +n00441073 the act of performing a jump on skis from a high ramp overhanging a snow covered slope +n00441824 sports that involve bodies of water +n00442115 the act of swimming +n00442437 the act of swimming +n00442847 a brief swim in water +n00442981 a headlong plunge into water +n00443231 the act of someone who floats on the water +n00443375 a floating position with the face down and arms stretched forward +n00443517 a dive in which the abdomen bears the main force of impact with the water +n00443692 diving into the water from a steep overhanging cliff +n00443803 a dive in which the diver somersaults before entering the water +n00443917 a dive in which the diver throws the feet forward to complete a full backward somersault and enters the water feet first and facing away from the diving board +n00444142 a dive in which the diver throws the feet forward and up to complete a half backward somersault and enters the water facing the diving board +n00444340 a dive in which the diver bends to touch the ankles before straightening out +n00444490 a dive in which the diver arches the back with arms outstretched before entering the water +n00444651 underwater swimming without any more breathing equipment than a snorkel +n00444846 skin diving with scuba apparatus +n00444937 skin diving with a snorkel +n00445055 the sport of riding a surfboard toward the shore on the crest of a wave +n00445226 skiing on water while being towed by a motorboat +n00445351 the act of rowing as a sport +n00445685 rowing by a single oarsman in a racing shell +n00445802 fighting with the fists +n00446311 boxing for money +n00446411 boxing at close quarters +n00446493 a boxing or wrestling match +n00446632 a boxing tactic: pretending to be trapped against the ropes while your opponent wears himself out throwing punches +n00446804 making the motions of attack and defense with the fists and arms; a part of training for a boxer +n00446980 the sport of shooting arrows with a bow +n00447073 the sport of riding on a sled or sleigh +n00447221 riding on a long light sled with low handrails +n00447361 riding a light one-man toboggan +n00447463 riding on a bobsled +n00447540 the sport of hand-to-hand struggle between unarmed contestants who try to throw each other down +n00447957 a style of wrestling where the wrestlers are forbidden to tackle or trip or use holds below the waist +n00448126 wrestling for money +n00448232 a Japanese form of wrestling; you lose if you are forced out of a small ring or if any part of your body (other than your feet) touches the ground +n00448466 the sport of gliding on skates +n00448640 skating on ice +n00448748 ice skating where the skates trace outlines of selected figures +n00448872 skating using Rollerblades +n00448958 skating on wheels +n00449054 the sport of skating on a skateboard +n00449168 competitive skating on speed skates (usually around an oval course) +n00449295 the sport of engaging in contests of speed +n00449517 the sport of racing automobiles +n00449695 the sport of racing boats +n00449796 racing in high-speed motor boats +n00449892 the sport of racing camels +n00449977 the sport of racing greyhounds +n00450070 the sport of racing horses +n00450335 the sport of siting on the back of a horse while controlling its movements +n00450700 a sport that tests horsemanship +n00450866 a sport in which people ride across country on ponies +n00450998 riding horses in competitions over set courses to demonstrate skill in jumping over obstacles +n00451186 riding horses across country over obstructions to demonstrate horsemanship +n00451370 the sport of traveling on a bicycle or motorcycle +n00451563 riding a bicycle +n00451635 riding a motorcycle +n00451768 bicycling or motorcycling on sand dunes +n00451866 sport that involves killing animals (especially hunting) +n00452034 the activity at a bullfight +n00452152 participation in the sport of matching gamecocks in a cockfight +n00452293 the pursuit and killing or capture of wild animals regarded as a sport +n00452734 a hunt in which beaters force the game to flee in the direction of the hunter +n00452864 hunting rabbits with beagles +n00453126 hunting with dogs (usually greyhounds) that are trained to chase game (such as hares) by sight instead of by scent +n00453313 hunting deer +n00453396 hunting ducks +n00453478 mounted hunters follow hounds in pursuit of a fox +n00453631 the sport of hunting wild boar with spears +n00453935 the act of someone who fishes as a diversion +n00454237 fishing with a hook and line (and usually a pole) +n00454395 angling with an artificial fly as a lure +n00454493 angling by drawing a baited line through the water +n00454624 the act of throwing a fishing line out over the water by means of a rod and reel +n00454855 the single-handed rod casting of a relatively heavy (artificial) bait +n00454983 casting an artificial fly as a lure +n00455076 a cast that falls beyond the intended spot +n00455173 casting (artificial) bait far out into the ocean (up to 200 yards) with the waves breaking around you +n00456465 a game played in daylight +n00463246 a game involving athletic activity +n00463543 a game played on an ice rink by two opposing teams of six skaters each who try to knock a flat round puck into the opponents' goal with angled sticks +n00464277 a game with two players who use rackets to strike a ball that is tethered to the top of a pole; the object is to wrap the string around the pole +n00464478 a game played in a swimming pool by two teams of swimmers who try to throw an inflated ball into the opponents' goal +n00464651 an athletic game that is played outdoors +n00464894 a game played on a large open course with 9 or 18 holes; the object is use as few strokes as possible in playing all the holes +n00466273 playing golf for money +n00466377 the activity of playing 18 holes of golf +n00466524 golf scoring by total strokes taken +n00466630 golf scoring by holes won +n00466712 a novelty version of golf played with golf balls and putters on a miniature course featuring many obstacles +n00466880 a game in which players hit a wooden ball through a series of hoops; the winner is the first to traverse all the hoops and hit a peg +n00467320 a game in which iron rings (or open iron rings) are thrown at a stake in the ground in the hope of encircling it +n00467536 a game in which players use long sticks to shove wooden disks onto the scoring area marked on a smooth surface +n00467719 an outdoor game played on a field of specified dimensions +n00467995 a game resembling ice hockey that is played on an open field; two opposing teams use curved sticks try to drive a ball into the opponents' net +n00468299 a simple version of hockey played by children on the streets (or on ice or on a field) using a ball or can as the puck +n00468480 any of various games played with a ball (round or oval) in which two teams try to kick or carry or propel the ball into each other's goal +n00469651 a game played by two teams of 11 players on a rectangular field 100 yards long; teams try to get possession of the ball and advance it across the opponents goal line in a series of (running or passing) plays +n00470554 football played for pay +n00470682 a version of American football in which the ball carrier is touched rather than tackled +n00470830 a traditional Irish game resembling hockey; played by two teams of 15 players each +n00470966 a form of football played with an oval ball +n00471437 a field game played with a ball (especially baseball) +n00471613 a ball game played with a bat and ball between two teams of nine players; teams take turns at bat trying to score runs +n00474568 the game of baseball +n00474657 playing baseball for money +n00474769 baseball as distinguished from softball +n00474881 a game in which a pitcher does not allow any opposing player to reach base +n00475014 a game in which a pitcher allows the opposing team no hits +n00475142 a game in which a pitcher allows the opposing team only one hit +n00475273 a game in which a pitcher allows the opposing team only 2 hits +n00475403 a game in which a pitcher allows the opposing team only 3 hits +n00475535 a game in which a pitcher allows the opposing team 4 hits +n00475661 a game in which a pitcher allows the opposing team 5 hits +n00475787 a game closely resembling baseball that is played on a smaller diamond and with a ball that is larger and softer +n00476140 an English ball game similar to baseball +n00476235 a form of baseball played in the streets with a rubber ball and broomstick handle +n00476389 a game played with a ball and bat by two teams of 11 players; teams take turns trying to score runs +n00477392 a game invented by American Indians; now played by two teams who use long-handled rackets to catch and carry and throw the ball toward the opponents' goal +n00477639 a game similar to field hockey but played on horseback using long-handled mallets and a wooden ball +n00477827 a game using a leather ball six feet in diameter; the two side try to push it across the opponents' goal +n00478262 a football game in which two teams of 11 players try to kick or head a ball into the opponents' goal +n00479076 an athletic game played on a court +n00479440 a game played in a walled court or against a single wall by two or four players who strike a rubber ball with their hands +n00479616 a game played on a handball court with short-handled rackets +n00479734 a game resembling handball; played on a court with a front wall and two side walls +n00479887 a game played in an enclosed court by two or four players who strike the ball with long-handled rackets +n00480211 a game in which two teams hit an inflated ball over a high net using their hands +n00480366 a Basque or Spanish game played in a court with a ball and a wickerwork racket +n00480508 a game played on a court with light long-handled rackets used to volley a shuttlecock over a net +n00480885 an ancient racket game +n00480993 a game played on a court by two opposing teams of 5 players; points are scored by throwing the ball through an elevated horizontal hoop +n00481803 playing basketball for money +n00481938 game played mainly on board ocean liners; players toss a ring back and forth over a net that is stretched across a small court +n00482122 a team game that resembles basketball; a soccer ball is to be thrown so that it passes through a ring on the top of a post +n00482298 a game played with rackets by two or four players who hit a ball back and forth over a net that divides the court +n00483205 playing tennis for money +n00483313 tennis played with one person on each side +n00483409 badminton played with one person on each side +n00483508 tennis played with two players on each side +n00483605 badminton played with two players on each side +n00483705 an ancient form of tennis played in a four-walled court +n00483848 an Italian game similar to tennis +n00523513 an active diversion requiring physical exertion and competition +n00812526 the act of grasping +n00825773 a sport adapted from jujitsu (using principles of not resisting) and similar to wrestling; developed in Japan +n00887544 a sport that involves competition between teams of players +n01035504 the traditional Passover supper of Jesus with his disciples on the eve of his crucifixion +n01035667 (Judaism) the ceremonial dinner on the first night (or both nights) of Passover +n01055165 the act of encamping and living in tents in a camp +n01314388 any unwanted and destructive insect or other animal that attacks food or crops or livestock etc. +n01314663 a regional term for `creature' (especially for domestic animals) +n01314781 an animal that creeps or crawls (such as worms or spiders or insects) +n01314910 a person or other animal that moves abruptly and rapidly +n01315213 an animal that makes short high-pitched sounds +n01315330 an animal that has a body temperature that is relatively constant and independent of the environmental temperature +n01315581 an animal whose body temperature varies with the temperature of its surroundings; any animal except birds and mammals +n01315805 any animal that lives and grazes in the grassy open land of western North America (especially horses, cattle, sheep) +n01316422 any animal that feeds on refuse and other decaying organic matter +n01316579 a fish that lives and feeds on the bottom of a body of water +n01316734 a scavenger that feeds low on the food chain +n01316949 an animal trained for and used for heavy labor +n01317089 an animal such as a donkey or ox or elephant used for transporting loads or doing other heavy work +n01317294 an animal used for pulling heavy loads +n01317391 an animal (such as a mule or burro or horse) used to carry loads +n01317541 any of various animals that have been tamed and made fit for a human environment +n01317813 an animal being fattened or suitable for fattening +n01317916 an animal that feeds on a particular source of food +n01318053 a domestic animal (especially a young steer or heifer) kept as stock until fattened or matured and suitable for a breeding establishment +n01318279 any recently hatched animal (especially birds) +n01318381 a single domestic animal +n01318478 an animal (especially birds and fish) that travels between different habitats at particular times of the year +n01318660 an animal (especially birds and arthropods and reptiles) that periodically shed their outer layer (feathers or cuticle or skin or hair) +n01318894 a domesticated animal kept for companionship or amusement +n01319001 a person or other animal having powers of endurance or perseverance +n01319187 a creature (especially a whale) that has been prevented from attaining full growth +n01319467 any of numerous animals inhabiting the sea including e.g. fishes and molluscs and many mammals +n01319685 unwanted marine creatures that are caught in the nets while fishing for another species +n01320872 an animal that produces gametes (ova) that can be fertilized by male gametes (spermatozoa) +n01321123 female of certain aquatic animals e.g. octopus or lobster +n01321230 an animal that produces gametes (spermatozoa) that can fertilize female gametes (ova) +n01321456 any mature animal +n01321579 any immature animal +n01321770 a young animal without a mother +n01321854 any immature mammal +n01322221 a very young mammal +n01322343 young of any of various canines such as a dog or wolf +n01322508 a young wolf +n01322604 a young dog +n01322685 the young of certain carnivorous mammals such as the bear or wolf or lion +n01322898 a young lion +n01322983 a young bear +n01323068 a young tiger +n01323155 young of any of various fur-bearing animals +n01323261 a young mammal that has not been weaned +n01323355 male parent of an animal especially a domestic animal such as a horse +n01323493 female parent of an animal especially domestic livestock +n01323599 a pedigreed animal of unmixed lineage; used especially of horses +n01323781 any creature of exceptional size +n01324305 an animal that has undergone mutation +n01324431 any animal that feeds on flesh +n01324610 any animal that feeds chiefly on grass and other plants +n01324799 any organism that feeds mainly on insects +n01324916 an animal having teeth consolidated with the summit of the alveolar ridge without sockets +n01325060 an animal having teeth fused with the inner surface of the alveolar ridge without sockets +n01326291 any organism of microscopic size +n01327909 a hybrid produced by crossing parents that are homozygous except for a single gene locus that has two alleles (as in Mendel's experiments with garden peas) +n01329186 a large heterogeneous group of RNA viruses divisible into groups on the basis of the virions; they have been recovered from arthropods, bats, and rodents; most are borne by arthropods; they are linked by the epidemiologic concept of transmission between vertebrate hosts by arthropod vectors (mosquitoes, ticks, sandflies, midges, etc.) that feed on blood; they can cause mild fevers, hepatitis, hemorrhagic fever, and encephalitis +n01330126 any of a group of viruses including those that in humans cause upper respiratory infections or infectious pinkeye +n01330497 animal viruses belonging to the family Arenaviridae +n01332181 a filovirus that causes Marburg disease; carried by animals; can be used as a bioweapon +n01333082 a family of arborviruses carried by arthropods +n01333483 an animal virus that causes vesicular stomatitis +n01333610 a family of arboviruses carried by arthropods +n01334217 a type of smallpox virus that has a fatality rate of up to 25 percent +n01334690 the smallest of viruses; a plant virus with its RNA arranged in a circular chromosome without a protein coat +n01335218 a bacteriophage that infects the bacterium Escherichia coli +n01337191 a group of viruses including those causing mumps and measles +n01337734 the virus causing poliomyelitis +n01338685 any of the animal viruses that cause painful blisters on the skin +n01339083 a herpes virus that causes oral herpes +n01339336 a herpes virus that causes shingles +n01339471 a herpes virus that causes chickenpox and shingles +n01339801 any of a group of herpes viruses that enlarge epithelial cells and can cause birth defects; can affect humans with impaired immunological systems +n01340014 the member of the herpes virus family that is responsible for chickenpox +n01340522 a virus the can initiate various kinds of tumors in mice +n01340785 a neurotropic non-arbovirus of the family Rhabdoviridae that causes rabies +n01340935 any of a group of non-arboviruses including the rotavirus causing infant enteritis +n01341090 the reovirus causing infant enteritis +n01342269 organisms that typically reproduce by asexual budding or fission and whose nutritional mode is absorption or photosynthesis or chemosynthesis +n01347583 considered ancient life forms that evolved separately from bacteria and blue-green algae +n01349735 a rodlike bacterium (especially any of the rod-shaped or branched bacteria in the root nodules of nitrogen-fixing plants) +n01350226 a species of bacillus that causes anthrax in humans and in animals (cattle and swine and sheep and rabbits and mice and guinea pigs); can be used a bioweapon +n01350701 a bacillus bacterium that causes the plague; aerosolized bacteria can be used as a bioweapon +n01351170 an aerobic Gram-negative coccobacillus that causes brucellosis; can be used as a bioweapon +n01351315 any flagellated aerobic bacteria having a spirally twisted rodlike form +n01357328 anaerobic bacterium producing botulin the toxin that causes botulism +n01357507 anaerobic Gram-positive rod bacterium that produces epsilon toxin; can be used as a bioweapon +n01358572 predominantly photosynthetic prokaryotic organisms containing a blue pigment in addition to chlorophyll; occur singly or in colonies in diverse habitats; important as phytoplankton +n01359762 large colonial bacterium common in tropical open-ocean waters; important in carbon and nitrogen fixation +n01362336 soil bacteria that convert nitrites to nitrates +n01363719 spirally twisted elongate rodlike bacteria usually living in stagnant water +n01365474 a genus of Gram-negative aerobic bacteria that occur as pathogens and parasite in many animals (including humans) +n01365885 the pus-producing bacterium that causes gonorrhea +n01366700 a species of bacterium that causes diphtheria +n01367772 rod-shaped Gram-negative bacteria; most occur normally or pathogenically in intestines of humans and other animals +n01368672 a genus of nonmotile rod-shaped Gram-negative enterobacteria; some cause respiratory and other infections +n01369358 a form of salmonella that causes food poisoning in humans +n01369484 a form of salmonella that causes typhoid fever +n01374703 any of the nitrobacteria that oxidize nitrites into nitrates +n01374846 any of the nitrobacteria that oxidize ammonia into nitrites +n01375204 any bacteria (some of which are pathogenic for humans and animals) belonging to the order Actinomycetales +n01376237 aerobic bacteria (some of which produce the antibiotic streptomycin) +n01376437 source of the antibiotic erythromycin +n01376543 source of the antibiotic streptomycin +n01377278 cause of tuberculosis +n01377510 bacteria that produce pus +n01377694 any of various rod-shaped Gram-negative bacteria +n01378545 bacteria that form colonies in self-produced slime; inhabit moist soils or decaying plant matter or animal waste +n01379389 spherical Gram-positive parasitic bacteria that tend to form irregular colonies; some cause boils or septicemia or infections +n01380610 Gram-positive bacteria usually occurring in pairs +n01380754 bacterium causing pneumonia in mice and humans +n01381044 spherical Gram-positive bacteria occurring in pairs or chains; cause e.g. scarlet fever and tonsillitis +n01382033 parasitic or free-living bacteria; many pathogenic to humans and other animals +n01384084 unicellular algae +n01384164 animal constituent of plankton; mainly small crustaceans and fish larvae +n01384687 an animal or plant that lives in or on a host (another animal or plant); it obtains nourishment from the host without benefiting or killing the host +n01385017 any of various parasites that live in the internal organs of animals (especially intestinal worms) +n01385330 any external parasitic organism (as fleas) +n01386007 any disease-producing agent (especially a virus or bacterium or other microorganism) +n01386182 either of two different animal or plant species living in close association but not interdependent +n01386354 an organism such as an insect that habitually shares the nest of a species of ant +n01387065 any of the unicellular protists +n01389507 any of diverse minute acellular or unicellular organisms usually nonphotosynthetic +n01390123 protozoa that move and capture food by forming pseudopods +n01390763 protozoa with spherical bodies and stiff radiating pseudopods +n01392275 any ameba of the genus Endamoeba +n01392380 naked freshwater or marine or parasitic protozoa that form temporary pseudopods for feeding and locomotion +n01393486 marine protozoan having a rounded shell with spiny processes +n01394040 any of various rhizopods of the order Testacea characterized by having a shell +n01394492 an amoeba-like protozoan with a chitinous shell resembling an umbrella +n01394771 a protozoan with an ovoid shell of cemented sand grains +n01395254 a protozoan with a microscopic appendage extending from the surface of the cell +n01396048 any member of the genus Paramecium +n01396617 any of several trumpet-shaped ciliate protozoans that are members of the genus Stentor +n01397114 primitive chlorophyll-containing mainly aquatic eukaryotic organisms lacking true stems and roots and leaves +n01397690 an edible seaweed with a mild flavor +n01397871 any of various seaweeds that grow underwater in shallow beds +n01400247 algae having the pigments chlorophyll and carotene and xanthophyll +n01400391 any alga of the division Chrysophyta with its chlorophyll masked by yellow pigment +n01402600 algae having the chlorophyll masked by brown and yellow pigments +n01403457 large brown seaweeds having fluted leathery fronds +n01404365 any of various algae of the family Fucaceae +n01404495 a fossilized cast or impression of algae of the order Fucales +n01405007 any member of the genus Fucus +n01405616 similar to and found with black rockweed +n01407798 algae that are clear green in color; often growing on wet ricks or damp wood or the surface of stagnant water +n01410457 free-floating freshwater green algae +n01411450 any alga of the genus Chlorella +n01412694 any of various submerged aquatic algae of the genus Chara having nodes with whorled filamentlike branches; usually encrusted with calcium carbonate deposits +n01413457 freshwater green algae +n01414216 any of various red algae having graceful rose to purple fronds (e.g. dulse or carrageen) +n01415626 an organism with cells characteristic of all life forms except primitive microorganisms such as bacteria; i.e. an organism with `good' or membrane-bound nuclei in its cells +n01415920 a unicellular organism having cells lacking membrane-bound nuclei; bacteria are the prime example but also included are blue-green algae and actinomycetes and mycoplasma +n01416213 one of the distinct individuals forming a colonial animal such as a bryozoan or hydrozoan +n01418498 flagellate protozoan that causes leishmaniasis +n01418620 flagellate protozoan lacking photosynthesis and other plant-like characteristics +n01419332 flagellates with several flagella +n01419573 a flagellate that is the cause of the frequently fatal fish disease costiasis +n01419888 a suspected cause of diarrhea in humans +n01421333 common in fresh and salt water appearing along the shore as algal blooms +n01421807 parasitic spore-forming protozoan +n01422185 one of the minute active bodies into which sporozoans divide in one stage of their life cycle +n01422335 a sporozoan in the active feeding stage of its life cycle +n01422450 a cell that arises from the asexual division of a parent sporozoan during its life cycle +n01423302 parasitic on the digestive epithelium of vertebrates and higher invertebrates +n01423617 vermiform protozoans parasitic in insects and other invertebrates +n01424420 parasitic protozoan of the genus Plasmodium that causes malaria in humans +n01425223 parasitic in birds +n01427399 parasite of arthropods and fishes that invade and destroy host cells +n01429172 in some classifications considered a superorder comprising the Cypriniformes and the Siluriformes +n01438208 a soft-finned fish of the order Cypriniformes +n01438581 slender freshwater fishes of Eurasia and Africa resembling catfishes +n01439121 soft-finned mainly freshwater fishes typically having toothless jaws and cycloid scales +n01439514 any of various freshwater fish of the family Cyprinidae +n01439808 large Old World freshwater bottom-feeding fish introduced into Europe from Asia; inhabits ponds and sluggish streams and often raised for food; introduced into United States where it has become a pest +n01440160 scaleless domestic carp +n01440242 domestic carp with some large shining scales +n01440467 European freshwater fish having a flattened body and silvery scales; of little value as food +n01440764 freshwater dace-like game fish of Europe and western Asia noted for ability to survive outside water +n01441117 small European freshwater fish with a slender bluish-green body +n01441272 European freshwater game fish with a thick spindle-shaped body +n01441425 any of numerous small silvery North American cyprinid fishes especially of the genus Notropis +n01441910 the common North American shiner +n01442450 European freshwater food fish having a greenish back +n01442710 European freshwater fish resembling the roach +n01442972 very small European freshwater fish common in gravelly streams +n01443243 small slender European freshwater fish often used as bait by anglers +n01443537 small golden or orange-red freshwater fishes of Eurasia used as pond or aquarium fishes +n01443831 European carp closely resembling wild goldfish +n01444339 eel-shaped freshwater fish of South America having electric organs in its body +n01444783 a cypriniform fish of the family Catostomidae +n01445429 any of several large suckers of the Mississippi valley +n01445593 fish of the lower Mississippi +n01445857 widely distributed in warm clear shallow streams +n01446152 North American sucker with reddish fins +n01446589 any member of the family Cyprinodontidae +n01446760 small mostly marine warm-water carp-like schooling fishes; used as bait or aquarium fishes or in mosquito control +n01447139 silver-and-black killifish of saltwater marshes along the Atlantic coast of the United States +n01447331 black-barred fish of bays and coastal marshes of the Atlantic and Gulf Coast of the United States +n01447658 found in small streams of tropical America; often kept in aquariums; usually hermaphroditic +n01447946 a fish with a dark-blue back and whitish sides with red stripes; found in swamps and streams of Florida +n01448291 freshwater fish of Central America having a long swordlike tail; popular aquarium fish +n01448594 small freshwater fish of South America and the West Indies; often kept in aquariums +n01448951 small usually brightly-colored viviparous surface-feeding fishes of fresh or brackish warm waters; often used in mosquito control +n01449374 silvery topminnow with rows of black spots of tropical North America and West Indies; important in mosquito control +n01449712 small stocky Mexican fish; popular aquarium fish +n01449980 popular aquarium fish +n01450661 very small, brightly colored (especially red) nocturnal fishes of shallow waters or tropical reefs; they make sounds like a squirrel's bark +n01450950 on reefs from Bermuda and Florida to northern South America +n01451115 a squirrelfish found from South Carolina to Bermuda and Gulf of Mexico +n01451295 bright red fish of West Indies and Bermuda +n01451426 the larger squirrelfishes +n01451863 fish having a luminous organ beneath eye; of warm waters of the western Pacific and Puerto Rico +n01452345 fish of deep dark waters having a light organ below each eye +n01453087 European dory +n01453475 fish with a projecting snout +n01453742 fish with large eyes and long snouts +n01454545 slender tropical fish with a long tubular snout and bony plates instead of scales +n01454856 small (2-4 inches) pugnacious mostly scaleless spiny-backed fishes of northern fresh and littoral waters having elaborate courtship; subjects of much research +n01455317 of rivers and coastal regions +n01455461 confined to rivers +n01455778 fish with long tubular snout and slim body covered with bony plates +n01456137 small (4 inches) fish found off the Florida Gulf Coast +n01456454 a fish 8 inches long; found from eastern Florida to western Caribbean +n01456756 small fish with horse-like heads bent sharply downward and curled tails; swim in upright position +n01457082 small bottom-dwelling fish of warm seas having a compressed body and a long snout with a toothless mouth +n01457407 slender tropical shallow-water East Indian fish covered with transparent plates +n01457852 tropical Atlantic fish with a long snout; swims snout down +n01458746 thin protective membrane in some protozoa +n01458842 an animal organism in the early stages of growth and differentiation that in higher forms merge into fetal stages but in lower forms terminate in commencement of larval life +n01459791 an unborn or unhatched vertebrate in the later stages of development showing the main recognizable features of the mature animal +n01460303 a human fetus whose weight is less than 0.5 kilogram when removed or expelled from the mother's body +n01461315 the mass of eggs deposited by fish or amphibians or molluscs +n01461646 early stage of an embryo produced by cleavage of an ovum; a liquid-filled sphere whose wall is composed of a single layer of cells; during this stage (about eight days after fertilization) implantation in the wall of the uterus occurs +n01462042 the blastula of a placental mammal in which some differentiation of cells has occurred +n01462544 double-walled stage of the embryo resulting from invagination of the blastula; the outer layer of cells is the ectoderm and the inner layer differentiates into the mesoderm and endoderm +n01462803 a solid mass of blastomeres that forms when the zygote splits; develops into the blastula +n01464844 nutritive material of an ovum stored for the nutrition of an embryo (especially the yellow mass of a bird or reptile egg) +n01466257 any animal of the phylum Chordata having a notochord or spinal column +n01467336 fish-like animals having a notochord rather than a true spinal column +n01467804 small translucent lancet-shaped burrowing marine animal; primitive forerunner of the vertebrates +n01468238 primitive marine animal having a saclike unsegmented body and a urochord that is conspicuous in the larva +n01468712 minute sedentary marine invertebrate having a saclike body with siphons through which water enters and leaves +n01469103 ascidian that can contract its body and eject streams of water +n01469723 minute floating marine tunicate having a transparent body with an opening at each end +n01470145 free-swimming oceanic tunicate with a barrel-shaped transparent body +n01470479 any member of the class Larvacea +n01470733 free-swimming tadpole-shaped pelagic tunicate resembling larvae of other tunicates +n01470895 free-swimming larva of ascidians; they have a tail like a tadpole that contains the notochord +n01471682 animals having a bony or cartilaginous skeleton with a segmented spinal column and a large brain enclosed in a skull or cranium +n01472303 higher vertebrates (reptiles, birds and mammals) possessing an amnion during development +n01472502 any member of the Amniota +n01473806 animal living wholly or chiefly in or on water +n01474283 eel-shaped vertebrate without jaws or paired appendages including the cyclostomes and some extinct forms +n01474864 extinct fish-like jawless vertebrate having a heavily armored body; of the Paleozoic +n01475232 extinct jawless fish with the anterior part of the body covered with bony plates; of the Silurian and Devonian +n01475940 extinct small freshwater jawless fish usually having a heterocercal tail and an armored head; of the Silurian and Devonian +n01476418 small (2 inches long) extinct eellike fish with a finned tail and a notochord and having cone-shaped teeth containing cellular bone; late Cambrian to late Triassic; possible predecessor of the cyclostomes +n01477080 primitive aquatic vertebrate +n01477525 primitive eellike freshwater or anadromous cyclostome having round sucking mouth with a rasping tongue +n01477875 large anadromous lamprey sometimes used as food; destructive of native fish fauna in the Great Lakes +n01478511 eellike cyclostome having a tongue with horny teeth in a round mouth surrounded by eight tentacles; feeds on dead or trapped fishes by boring into their bodies +n01478969 typical hagfish +n01479213 a fossil hagfish of the genus Eptatretus +n01479820 a vertebrate animal possessing true jaws +n01480106 fish-like vertebrate with bony plates on head and upper body; dominant in seas and rivers during the Devonian; considered the earliest vertebrate with jaws +n01480516 fishes in which the skeleton may be calcified but not ossified +n01480880 fish with high compressed head and a body tapering off into a long tail +n01481331 a deep-sea fish with a tapering body, smooth skin, and long threadlike tail +n01481498 large European chimaera +n01482071 any of numerous fishes of the class Chondrichthyes characterized by a cartilaginous skeleton and placoid scales: sharks; rays; skates +n01482330 any of numerous elongate mostly marine carnivorous fishes with heterocercal caudal fins and tough skin covered with small toothlike scales +n01483021 large primitive shark widely distributed in warm seas +n01483522 fierce pelagic and oceanic sharks +n01483830 voracious pointed-nose shark of northern Atlantic and Pacific +n01484097 powerful mackerel shark of the Atlantic and Pacific +n01484285 very swift active bluish shark found worldwide in warm waters; important game fish +n01484447 similar to shortfin mako but darker blue +n01484562 common blue-grey shark of southwest Pacific; sport and food fish +n01484850 large aggressive shark widespread in warm seas; known to attack humans +n01485479 large harmless plankton-eating northern shark; often swims slowly or floats at the sea surface +n01486010 large pelagic shark of warm seas with a whiplike tail used to round up small fish on which to feed +n01486540 shark of the western Pacific with flattened body and mottled skin +n01486838 small bottom-dwelling shark of warm shallow waters on both coasts of North America and South America and from southeast Asia to Australia +n01487506 shallow-water shark with sharp jagged teeth found on both sides of Atlantic; sometimes dangerous to swimmers +n01488038 large spotted shark of warm surface waters worldwide; resembles a whale and feeds chiefly on plankton +n01488918 any of numerous sharks from small relatively harmless bottom-dwellers to large dangerous oceanic and coastal species +n01489501 a most common shark in temperate and tropical coastal waters worldwide; heavy-bodied and dangerous +n01489709 most common grey shark along coasts of middle Atlantic states; sluggish and occasionally caught by fishermen +n01489920 widely distributed shallow-water shark with fins seemingly dipped in ink +n01490112 large deep-water shark with white-tipped dorsal fin; worldwide distribution; most dangerous shark +n01490360 relatively slender blue-grey shark; nearly worldwide in tropical and temperate waters +n01490670 common shallow-water schooling shark of the Atlantic from North Carolina to Brazil and off west Africa; dangerous +n01491006 slender cosmopolitan, pelagic shark; blue body shades to white belly; dangerous especially during maritime disasters +n01491361 large dangerous warm-water shark with striped or spotted body +n01491661 Pacific shark valued for its fins (used by Chinese in soup) and liver (rich in vitamin A) +n01491874 any of several small sharks +n01492357 small bottom-dwelling shark found along both Atlantic coasts +n01492569 smooth dogfish of European coastal waters +n01492708 found along the Atlantic coast of the Americas +n01492860 found from the northern Gulf of Mexico to Brazil +n01493146 smooth dogfish of Pacific and Indian Oceans and Red Sea having white-tipped dorsal and caudal fins +n01493541 small bottom-dwelling dogfishes +n01493829 destructive dogfish of the Atlantic coastal waters of America and Europe; widely used in anatomy classes +n01494041 dogfish of Pacific coast of North America +n01494475 medium-sized live-bearing shark with eyes at either end of a flattened hammer-shaped head; worldwide in warm waters; can be dangerous +n01494757 fished for the hides and vitamin-rich liver +n01494882 fished for the hide and vitamin-rich liver +n01495006 small harmless hammerhead having a spade-shaped head; abundant in bays and estuaries +n01495493 sharks with broad flat bodies and winglike pectoral fins but that swim the way sharks do +n01495701 cartilaginous fishes having horizontally flattened bodies and enlarged winglike pectoral fins with gills on the underside; most swim by moving the pectoral fins +n01496331 any sluggish bottom-dwelling ray of the order Torpediniformes having a rounded body and electric organs on each side of the head capable of emitting strong electric discharges +n01497118 primitive ray with sharp teeth on each edge of a long flattened snout +n01497413 commonly found in tropical bays and estuaries; not aggressive +n01497738 primitive tropical bottom-dwelling ray with a guitar-shaped body +n01498041 large venomous ray with large barbed spines near the base of a thin whiplike tail capable of inflicting severe wounds +n01498406 one of the largest stingrays; found from Cape Cod to Cape Hatteras +n01498699 a stingray with a short tail and a broad fin +n01498989 powerful free-swimming tropical ray noted for `soaring' by flapping winglike fins; usually harmless but has venomous tissue near base of the tail as in stingrays +n01499396 ray with back covered with white or yellow spots; widely distributed in warm seas +n01499732 large ray found along eastern coast of North America +n01500091 extremely large pelagic tropical ray that feeds on plankton and small fishes; usually harmless but its size make it dangerous if harpooned +n01500476 largest manta (to 22 feet across wings); found worldwide but common in Gulf of Mexico and along southern coasts of United States; primarily oceanic +n01500854 small manta (to 4 feet) that travels in schools +n01501160 large edible rays having a long snout and thick tail with pectoral fins continuous with the head; swim by undulating the edges of the pectoral fins +n01501641 common European skate used as food +n01501777 most plentiful skate in North American inshore waters in summer; to 21 inches +n01501948 cold-water bottom fish with spines on the back; to 40 inches +n01502101 one of the largest skates (to 5 feet); an active skate easy to hook +n01503061 warm-blooded egg-laying vertebrates characterized by feathers and forelimbs modified as wings +n01503976 small bird; adults talking to children sometimes use these words to refer to small birds +n01504179 young bird that has just fledged or become capable of flying +n01504344 young bird not yet fledged +n01514668 adult male bird +n01514752 a cock bred and trained for fighting +n01514859 adult female bird +n01514926 a bird that has built (or is building) a nest +n01515078 any bird associated with night: owl; nightingale; nighthawk; etc +n01515217 any bird that cries at night +n01515303 any bird that migrates seasonally +n01516212 extinct primitive toothed bird of the Jurassic period having a long feathered tail and hollow bones; usually considered the most primitive of all birds +n01517389 extinct primitive toothed bird with a long feathered tail and three free clawed digits on each wing +n01517565 flightless birds having flat breastbones lacking a keel for attachment of flight muscles: ostriches; cassowaries; emus; moas; rheas; kiwis; elephant birds +n01517966 birds having keeled breastbones for attachment of flight muscles +n01518878 fast-running African flightless bird with two-toed feet; largest living bird +n01519563 large black flightless bird of Australia and New Guinea having a horny head crest +n01519873 large Australian flightless bird similar to the ostrich but smaller +n01520576 nocturnal flightless bird of New Zealand having a long neck and stout legs; only surviving representative of the order Apterygiformes +n01521399 larger of two tall fast-running flightless birds similar to ostriches but three-toed; found from Brazil to Patagonia +n01521756 smaller of two tall fast-running flightless birds similar to ostriches but three-toed; found from Peru to Strait of Magellan +n01522450 huge (to 9 ft.) extinct flightless bird of Madagascar +n01523105 extinct flightless bird of New Zealand +n01524359 perching birds mostly small and living near the ground with feet having 4 toes arranged to allow for gripping the perch; most are songbirds; hatchlings are helpless +n01524761 chiefly arboreal birds especially of the order Coraciiformes +n01525720 passerine bird having specialized vocal apparatus +n01526521 any bird having a musical call +n01526766 Australasian bird with tongue and bill adapted for extracting nectar +n01527194 small sparrow-like songbird of mountainous regions of Eurasia +n01527347 small brownish European songbird +n01527617 any of numerous predominantly Old World birds noted for their singing +n01527917 brown-speckled European lark noted for singing while hovering at a great height +n01528396 Old World bird having a very long tail that jerks up and down as it walks +n01528654 a songbird that lives mainly on the ground in open country; has streaky brown plumage +n01528845 a common pipit that is brown above and white below; widely distributed in northern and central Europe and in Asia +n01529672 any of numerous small songbirds with short stout bills adapted for crushing seeds +n01530439 small European finch with a cheerful song +n01530575 Eurasian finch +n01531178 small European finch having a crimson face and yellow-and-black wings +n01531344 small Old World finch whose male has a red breast and forehead +n01531512 small yellow-and-black Eurasian finch with a sharp beak +n01531639 South American species of scarlet finch with black head and wings and tail +n01531811 small siskin-like finch with a red crown and a rosy breast and rump +n01531971 small siskin-like finch with a red crown +n01532325 American finch whose male has yellow body plumage in summer +n01532511 small finch of North American coniferous forests +n01532829 small finch originally of the western United States and Mexico +n01533000 North American finch having a raspberry-red head and breast and rump +n01533339 any of several small Old World finches +n01533481 native to the Canary Islands and Azores; popular usually yellow cage bird noted for its song +n01533651 any of various brown and yellow finches of parts of Europe +n01533893 finch with a bill whose tips cross when closed +n01534155 common European finch mostly black and white with red throat and breast +n01534433 small North American finch seen chiefly in winter +n01534582 common North American junco having grey plumage and eyes with dark brown irises +n01534762 sparrow-like North American finches +n01535140 common North American finch noted for its evening song +n01535469 common North American finch with a white patch on the throat and black-and-white striped crown +n01535690 finch with black-and-white striped crown +n01536035 small North American finch common in urban areas +n01536186 common North American finch of brushy pasturelands +n01536334 finch common in winter in the northern U.S. +n01536644 small songbird common in North America +n01536780 North American finch of marshy area +n01537134 any of numerous seed-eating songbirds of Europe or North America +n01537544 small deep blue North American bunting +n01537895 brownish Old World bunting often eaten as a delicacy +n01538059 European bunting inhabiting marshy areas +n01538200 European bunting the male being bright yellow +n01538362 common in Russia and Siberia +n01538630 white Arctic bunting +n01538955 small bright-colored tropical American songbird with a curved bill for sucking nectar +n01539272 any of several honeycreepers +n01539573 any of several small dull-colored singing birds feeding on seeds or insects +n01539925 small hardy brown-and-grey bird native to Europe +n01540090 Eurasian sparrow smaller than the house sparrow +n01540233 any of various finches of Europe or America having a massive and powerful bill +n01540566 North American grosbeak +n01540832 a common large finch of Eurasia +n01541102 large grosbeak of coniferous forests of Old and New Worlds +n01541386 crested thick-billed North American finch having bright red plumage in the male +n01541760 crested grey-and-red bird of southwest United States and Mexico +n01541922 any of numerous long-tailed American finches +n01542168 common towhee of eastern North America +n01542433 towhee of the Rocky Mountains +n01542786 finch-like African and Asian colonial birds noted for their elaborately woven nests +n01543175 common Indian weaverbird +n01543383 mostly black African weaverbird +n01543632 small finch-like Indonesian weaverbird that frequents rice fields +n01543936 red Asian weaverbirds often kept as cage birds +n01544208 usually brightly-colored Australian weaverbirds; often kept as cage birds +n01544389 small Australian weaverbird with markings like a zebra's +n01544704 small to medium-sized finches of the Hawaiian islands +n01545574 Australian bird that resembles a pheasant; the courting male displays long tail feathers in a lyre shape +n01546039 small fast-running Australian bird resembling a wren and frequenting brush or scrub +n01546506 small birds of the Old World tropics having bright plumage and short wide bills +n01546921 a passerine bird of the suborder Tyranni +n01547832 large American birds that characteristically catch insects on the wing +n01548301 large American flycatcher +n01548492 a kingbird seen in western United States; head and back are pale grey and the breast is yellowish and the tail is black +n01548694 a kingbird seen in the southwestern United States; largely grey with a yellow abdomen +n01548865 a kingbird that breeds in North America and winters in tropical America; distinguished by a white band on the tip of the tail +n01549053 a kingbird that breeds in the southeastern United States and winters in tropical America; similar to but larger than the eastern kingbird +n01549430 small olive-colored woodland flycatchers of eastern North America +n01549641 small flycatcher of western North America +n01549886 small dun-colored North American flycatcher +n01550172 tropical American flycatcher found as far north as southern Texas and Arizona; adult male has bright scarlet and black plumage +n01550761 passerine bird of New World tropics +n01551080 tropical bird of northern South America the male having brilliant red or orange plumage and an erectile disklike crest +n01551300 bird of the Andes similar to Rupicola rupicola +n01551711 any of numerous small bright-colored birds of Central America and South America having short bills and elaborate courtship behavior +n01552034 any of several tropical American birds of the genus Procnias having a bell-like call +n01552333 black tropical American bird having a large overhanging crest and long feathered wattle +n01552813 small brownish South American birds that build oven-shaped clay nests +n01553142 any of various dull-colored South American birds that feeding on ants some following army ant swarms +n01553527 a kind of antbird +n01553762 antbirds superficially resembling shrikes +n01554017 a kind of antbird +n01554448 any of numerous South American and Central American birds with a curved bill and stiffened tail feathers that climb and feed like woodpeckers +n01555004 any bird of the genus Pitta; brilliantly colored chiefly terrestrial birds with short wings and tail and stout bills +n01555305 grey flycatcher of the southwestern United States and Mexico and Central America having a long forked tail and white breast and salmon and scarlet markings +n01555809 any of a large group of small songbirds that feed on insects taken on the wing +n01556182 common European woodland flycatcher with greyish-brown plumage +n01556514 Australian and southeastern Asian birds with a melodious whistling call +n01557185 songbirds characteristically having brownish upper plumage with a spotted breast +n01557962 large European thrush that feeds on mistletoe berries +n01558149 common Old World thrush noted for its song +n01558307 medium-sized Eurasian thrush seen chiefly in winter +n01558461 small European thrush having reddish flanks +n01558594 common black European thrush +n01558765 European thrush common in rocky areas; the male has blackish plumage with a white band around the neck +n01558993 large American thrush having a rust-red breast and abdomen +n01559160 robin of Mexico and Central America +n01559477 North American thrush noted for its complex and appealing song +n01559639 tawny brown North American thrush noted for its song +n01559804 large thrush common in eastern American woodlands; noted for its melodious song +n01560105 European songbird noted for its melodious nocturnal song +n01560280 large nightingale of eastern Europe +n01560419 nightingale spoken of in Persian poetry +n01560636 songbirds having a chattering call +n01560793 common European chat with black plumage and a reddish-brown breast +n01560935 brown-and-buff European songbird of grassy meadows +n01561181 a dull grey North American thrush noted for its beautiful song +n01561452 European songbird with a reddish breast and tail; related to Old World robins +n01561732 small songbird of northern America and Eurasia having a distinctive white rump +n01562014 blue North American songbird +n01562265 small Old World songbird with a reddish breast +n01562451 songbird of northern Europe and Asia +n01563128 a small active songbird +n01563449 very small North American and South American warblers +n01563746 small birds resembling warblers but having some of the habits of titmice +n01563945 European kinglet with a black-bordered yellow crown patch +n01564101 American golden-crested kinglet +n01564217 American kinglet with a notable song and in the male a red crown patch +n01564394 small active brownish or greyish Old World birds +n01564773 small brownish-grey warbler with a black crown +n01564914 greyish-brown Old World warbler with a white throat and underparts +n01565078 Old World warbler similar to the greater whitethroat but smaller +n01565345 European woodland warbler with dull yellow plumage +n01565599 small European warbler that breeds among reeds and wedges and winters in Africa +n01565930 small Asiatic and African bird; constructs nests like those of tailorbirds +n01566207 tropical Asian warbler that stitches leaves together to form and conceal its nest +n01566645 any of various insectivorous Old World birds with a loud incessant song; in some classifications considered members of the family Muscicapidae +n01567133 small bright-colored American songbird with a weak unmusical song +n01567678 small grey-blue wood warbler with yellow throat and breast; of eastern North America +n01567879 yellow wood warbler with a black crown +n01568132 any of numerous American wood warblers that feed on insects caught on the wing +n01568294 flycatching warbler of eastern North America the male having bright orange on sides and wings and tail +n01568720 North American wood warbler; olive green and yellow striped with black +n01568892 yellow-throated American wood warbler +n01569060 black-and-white North American wood warbler having an orange-and-black head and throat +n01569262 common warbler of western North America +n01569423 similar to Audubon's warbler +n01569566 North American warbler having a black-and-white head +n01569836 birds having a chattering call +n01569971 American warbler noted for imitating songs of other birds +n01570267 American warbler; builds a dome-shaped nest on the ground +n01570421 brownish North American warbler found near streams +n01570676 small olive-colored American warblers with yellow breast and throat +n01570839 an American warbler +n01571410 velvety black Australian bird of paradise with green and purple iridescence on head and tail +n01571904 American songbird; male is black and orange or yellow +n01572328 a kind of New World oriole +n01572489 eastern subspecies of northern oriole +n01572654 western subspecies of northern oriole +n01572782 the male is chestnut-and-black +n01573074 North American songbirds having a yellow breast +n01573240 a meadowlark of eastern North America +n01573360 a meadowlark of western North America +n01573627 black-and-red or black-and-yellow orioles of the American tropics +n01573898 migratory American songbird +n01574045 any bird of the family Icteridae whose male is black or predominantly black +n01574390 long-tailed American blackbird having iridescent black plumage +n01574560 eastern United States grackle +n01574801 North American blackbird whose bluish-black plumage is rusty-edged in the fall +n01575117 North American blackbird that follows cattle and lays eggs in other birds' nests +n01575401 North American blackbird with scarlet patches on the wings +n01575745 mostly tropical songbird; the male is usually bright orange and black +n01576076 bright yellow songbird with black wings +n01576358 greenish-yellow Australian oriole feeding chiefly on figs and other fruits +n01576695 gregarious birds native to the Old World +n01577035 gregarious bird having plumage with dark metallic gloss; builds nests around dwellings and other structures; naturalized worldwide +n01577458 glossy black bird with pink back and abdomen; chiefly Asian +n01577659 tropical Asian starlings +n01577941 dark brown crested bird of southeastern Asia +n01578180 glossy black Asiatic starling often taught to mimic speech +n01578575 birds of the crow family +n01579028 black birds having a raucous call +n01579149 common crow of North America +n01579260 large black bird with a straight bill and long wedge-shaped tail +n01579410 common gregarious Old World bird about the size and color of the American crow +n01579578 common black-and-grey Eurasian bird noted for thievery +n01579729 a European corvine bird of small or medium size with red legs and glossy black plumage +n01580077 crested largely blue bird +n01580379 a European jay +n01580490 fawn-colored jay with black-and-white crest and blue-and-black wings +n01580772 a North American jay +n01580870 common jay of eastern North America; bright blue with grey breast +n01581166 a jay of northern North America with black-capped head and no crest; noted for boldness in thievery +n01581434 a Canada jay with a white head; widely distributed from Montana to Arizona +n01581730 speckled birds that feed on nuts +n01581874 Old World nutcracker +n01581984 nutcracker of the western United States +n01582220 long-tailed black-and-white crow that utters a raucous chattering call +n01582398 a common magpie of Eurasia +n01582498 a magpie of Rocky Mountains in North America +n01582856 black-and-white oscine birds that resemble magpies +n01583209 large carnivorous Australian bird with the shrike-like habit of impaling prey on thorns +n01583495 bluish black fruit-eating bird with a bell-like call +n01583828 crow-sized black-and-white bird; a good mimic often caged +n01584225 any of several small active brown birds of the northern hemisphere with short upright tails; they feed on insects +n01584695 small wren of coniferous forests of northern hemisphere +n01584853 common American wren that nests around houses +n01585121 a wren of the genus Cistothorus that frequents marshes +n01585287 American wren that inhabits tall reed beds +n01585422 small American wren inhabiting wet sedgy meadows +n01585715 wren inhabiting badlands and mesa country of western United States and Mexico +n01586020 large United States wren with a musical call +n01586374 large harsh-voiced American wren of arid regions of the United States southwest and Mexico +n01586941 long-tailed grey-and-white songbird of the southern United States able to mimic songs of other birds +n01587278 mockingbird of Mexico +n01587526 North American songbird whose call resembles a cat's mewing +n01587834 thrush-like American songbird able to mimic other birdsongs +n01588002 common large songbird of eastern United States having reddish-brown plumage +n01588431 birds of New Zealand that resemble wrens +n01588725 short-tailed bird resembling a wren +n01588996 small green-and-bronze bird +n01589286 any of various small insectivorous birds of the northern hemisphere that climb up a tree trunk supporting themselves on stiff tail feathers and their feet +n01589718 a common creeper in North America with a down-curved bill +n01589893 common European brown-and-buff tree creeper with down-curved bill +n01590220 crimson-and-grey songbird that inhabits town walls and mountain cliffs of southern Eurasia and northern Africa +n01591005 a kind of nuthatch +n01591123 bluish-grey nuthatch with reddish breast; of northern coniferous forests +n01591301 bluish-grey nuthatch with black head and white breast; of eastern North America +n01591697 small insectivorous birds +n01592084 any of various small grey-and-black songbirds of North America +n01592257 chickadee having a dark crown +n01592387 crested titmouse of eastern and midwestern United States +n01592540 southern United States chickadee similar to the blackcap but smaller +n01592694 widely distributed European titmouse with bright cobalt blue wings and tail and crown of the head +n01593028 active grey titmice of western North America +n01593282 small brown bird of California resembling a wren +n01593553 very small yellow-headed titmouse of western North America +n01594004 fruit-eating mostly brilliant blue songbird of the East Indies +n01594372 small long-winged songbird noted for swift graceful flight and the regularity of its migrations +n01594787 common swallow of North America and Europe that nests in barns etc. +n01594968 North American swallow that lives in colonies and builds bottle-shaped mud nests on cliffs and walls +n01595168 of Australia and Polynesia; nests in tree cavities +n01595450 bluish-green-and-white North American swallow; nests in tree cavities +n01595624 any of various swallows with squarish or slightly forked tail and long pointed wings; migrate around Martinmas +n01595974 common small European martin that builds nests under the eaves of houses +n01596273 swallow of the northern hemisphere that nests in tunnels dug in clay or sand banks +n01596608 large North American martin of which the male is blue-black +n01597022 Australasian and Asiatic bird related to the shrikes and resembling a swallow +n01597336 any of numerous New World woodland birds having brightly colored males +n01597737 the male is bright red with black wings and tail +n01597906 of western North America; male is black and yellow and orange-red +n01598074 of middle and southern United States; male is deep rose-red the female mostly yellow +n01598271 common tanager of southwestern United States and Mexico +n01598588 any of numerous Old World birds having a strong hooked bill that feed on smaller animals +n01598988 shrikes that impale their prey on thorns +n01599159 a common European butcherbird +n01599269 a butcherbird of northern North America +n01599388 a butcherbird of western North America; grey with white underparts +n01599556 a common shrike of southeastern United States having black bands around the eyes +n01599741 a shrike of central North America; winters in Texas and the southern Mississippi valley +n01600085 an African shrike +n01600341 a kind of bush shrike +n01600657 any of various birds of the Australian region whose males build ornamented structures resembling bowers in order to attract females +n01601068 of southeast Australia; male is glossy violet blue; female is light grey-green +n01601410 large bowerbird of northern Australia +n01601694 small stocky diving bird without webbed feet; frequents fast-flowing streams and feeds along the bottom +n01602080 a water ouzel of Europe +n01602209 a water ouzel of western North America +n01602630 any of various small insectivorous American birds chiefly olive-grey in color +n01602832 of northern North America having red irises and an olive-grey body with white underparts +n01603000 of eastern North America having a bluish-grey head and mostly green body +n01603152 common vireo of northeastern North America with bluish slaty-grey head +n01603600 brown velvety-plumaged songbirds of the northern hemisphere having crested heads and red waxy wing tips +n01603812 widely distributed over temperate North America +n01603953 large waxwing of northern North America; similar to but larger than the cedar waxwing +n01604330 any of numerous carnivorous birds that hunt and kill other animals +n01604968 in some classifications an alternative name for the Falconiformes +n01605630 diurnal bird of prey typically having short rounded wings and a long tail +n01606097 an unfledged or nestling hawk +n01606177 male hawk especially male peregrine or gyrfalcon +n01606522 large hawk of Eurasia and North America used in falconry +n01606672 small hawk of Eurasia and northern Africa +n01606809 bluish-grey North American hawk having a darting flight +n01606978 nontechnical term for any hawks said to prey on poultry +n01607309 any hawk of the genus Buteo +n01607429 dark brown American hawk species having a reddish-brown tail +n01607600 large hawk of the northern hemisphere that feeds chiefly on small rodents and is beneficial to farmers +n01607812 North American hawk with reddish brown shoulders +n01607962 the common European short-winged hawk +n01608265 Old World hawk that feeds on bee larvae and small rodents and reptiles +n01608432 any of several small graceful hawks of the family Accipitridae having long pointed wings and feeding on insects and small animals +n01608814 dark Old World kite feeding chiefly on carrion +n01609062 graceful North American black-and-white kite +n01609391 grey-and-white American kite of warm and tropical regions +n01609751 hawks that hunt over meadows and marshes and prey on small terrestrial animals +n01609956 Old World harrier frequenting marshy regions +n01610100 brownish European harrier +n01610226 common harrier of North America and Europe; nests in marshes and open land +n01610552 any of numerous large Old World hawks intermediate in some respects between typical hawks and typical eagles +n01610955 diurnal birds of prey having long pointed powerful wings adapted for swift flight +n01611472 a widely distributed falcon formerly used in falconry +n01611674 female falcon especially a female peregrine falcon +n01611800 large and rare Arctic falcon having white and dark color phases +n01611969 small Old World falcon that hovers in the air against a wind +n01612122 small North American falcon +n01612275 small falcon of Europe and America having dark plumage with black-barred tail; used in falconry +n01612476 small Old World falcon formerly trained and flown at small birds +n01612628 any of various long-legged carrion-eating hawks of South America and Central America +n01612955 widespread from southern United States to Central America; rusty black with black-and-white breast and tail +n01613177 South American caracara +n01613294 any of various large keen-sighted diurnal birds of prey noted for their broad wings and strong soaring flight +n01613615 a bird that is still young +n01613807 a young eagle +n01614038 large black-and-white crested eagle of tropical America +n01614343 large eagle of mountainous regions of the northern hemisphere having a golden-brown head and neck +n01614556 brownish eagle of Africa and parts of Asia +n01614925 a large eagle of North America that has a white head and dark wings and body +n01615121 any of various large eagles that usually feed on fish +n01615303 found on coasts of the northwestern Pacific +n01615458 bulky greyish-brown eagle with a short wedge-shaped white tail; of Europe and Greenland +n01615703 of southeast Europe and central Asia +n01616086 large harmless hawk found worldwide that feeds on fish and builds a bulky nest often occupied for years +n01616318 any of various large diurnal birds of prey having naked heads and weak claws and feeding chiefly on carrion +n01616551 in some classifications considered the family comprising the Old World vultures which are more often included in the family Accipitridae +n01616764 any of several large vultures of Africa and Eurasia +n01617095 large vulture of southern Europe and northern Africa having pale plumage with black wings +n01617443 the largest Eurasian bird of prey; having black feathers hanging around the bill +n01617766 small mostly white vulture of Africa and southern Eurasia +n01618082 of southern Eurasia and northern Africa +n01618503 large long-legged African bird of prey that feeds on reptiles +n01618922 large birds of prey superficially similar to Old World vultures +n01619310 a New World vulture that is common in South America and Central America and the southern United States +n01619536 the largest flying birds in the western hemisphere +n01619835 large vulture of the high Andes having black plumage and white neck ruff +n01620135 North American condor; chiefly dull black; almost extinct +n01620414 American vulture smaller than the turkey buzzard +n01620735 large black-and-white vulture of South America and Central America; have colorful wattles and wartlike protuberances on head and neck +n01621127 nocturnal bird of prey with hawk-like beak and claws and large head with front-facing eyes +n01621635 young owl +n01622120 small European owl +n01622352 large owls having prominent ear tufts +n01622483 brown North American horned owl +n01622779 large dish-faced owl of northern North America and western Eurasia +n01622959 reddish-brown European owl having a round head with black eyes +n01623110 large owl of eastern North America having its breast and abdomen streaked with brown +n01623425 small North American owl having hornlike tufts of feathers whose call sounds like a quavering whistle +n01623615 any owl that has a screeching cry +n01623706 any of several small owls having ear tufts and a whistling call +n01623880 a large owl of North America found in forests from British Columbia to central Mexico; has dark brown plumage and a heavily spotted chest +n01624115 European scops owl +n01624212 Asian scops owl +n01624305 any owl that hoots as distinct from screeching +n01624537 grey-and-white diurnal hawk-like owl of northern parts of the northern hemisphere +n01624833 slender European owl of coniferous forests with long ear tufts +n01625121 almost extinct owl of New Zealand +n01625562 mottled buff and white owl often inhabiting barns and other structures; important in rodent control +n01627424 cold-blooded vertebrate typically living on land but breeding in water; aquatic larvae undergo metamorphosis into adult form +n01628331 early tetrapod amphibian found in Greenland +n01628770 amphibians that resemble lizards +n01629276 any of various typically terrestrial amphibians that resemble lizards and that return to water only to breed +n01629819 a kind of European salamander +n01629962 European salamander having dark skin with usually yellow spots +n01630148 ovoviviparous amphibian of the Alps +n01630284 small usually bright-colored semiaquatic salamanders of North America and Europe and northern Asia +n01630670 small semiaquatic salamander +n01630901 red terrestrial form of a common North American newt +n01631175 any of several rough-skinned newts found in western North America +n01631354 newt of humid coast from Alaska to southern California +n01631512 newt that is similar to Taricha granulosa in characteristics and habitat +n01631663 a newt in its terrestrial stage of development +n01632047 small to moderate-sized terrestrial or semiaquatic New World salamander +n01632308 brownish-black burrowing salamander of southeastern United States +n01632458 glossy black North American salamander with yellow spots +n01632601 widely distributed brown or black North American salamander with vertical yellowish blotches +n01632777 larval salamander of mountain lakes of Mexico that usually lives without metamorphosing +n01632952 any of several large aquatic salamanders +n01633406 large salamander of North American rivers and streams +n01633781 large (up to more than three feet) edible salamander of Asia +n01634227 European aquatic salamander with permanent external gills that lives in caves +n01634522 aquatic North American salamander with red feathery external gills +n01635027 salamanders found near cold streams throughout the year +n01635176 large (to 7 inches) salamander of western North America +n01635480 small large-eyed semiaquatic salamander of the United States Northwest +n01636127 mostly terrestrial salamanders that breathe through their thin moist skin; lay eggs in moist places on land; rarely enter water +n01636352 common salamander of eastern North America +n01636510 salamander of the Pacific coast of North America +n01636829 common North American salamander mottled with dull brown or greyish-black +n01637112 any of several North American salamanders adapted for climbing with well-developed limbs and long somewhat squared-off toes +n01637338 yellow-spotted brown salamander of California woodlands +n01637615 any of several small slim salamanders of the Pacific coast of the United States +n01637932 any of several salamanders with webbed toes and very long extensile tongues; excellent climbers that move with ease over smooth rock surfaces +n01638194 primarily a cave dweller in the Mount Shasta area +n01638329 similar to Shasta salamander; lives in cliff crevices and taluses +n01638722 aquatic eel-shaped salamander having two pairs of very small feet; of still muddy waters in the southern United States +n01639187 eellike aquatic North American salamander with small forelimbs and no hind limbs; have permanent external gills +n01639765 any of various tailless stout-bodied amphibians with long hind limbs for leaping; semiaquatic and terrestrial species +n01640846 insectivorous usually semiaquatic web-footed amphibian with smooth moist skin and long hind legs +n01641206 wide-ranging light-brown frog of moist North American woodlands especially spruce +n01641391 common North American green or brownish frog having white-edged dark oval spots +n01641577 largest North American frog; highly aquatic with a deep-pitched voice +n01641739 similar to bullfrog; found in or near marshes and ponds; of United States and Canada +n01641930 mountain frog found near water; of United States Northwest to California +n01642097 largest living frog; up to a foot and weighing up to 10 lbs; Africa +n01642257 a meadow frog of eastern North America +n01642391 Mexican frog found within a jump or two of water +n01642539 a common semiterrestrial European frog +n01642943 toothed frogs: terrestrial or aquatic or arboreal +n01643255 small terrestrial frog of tropical America +n01643507 of southwest United States and Mexico; call is like a dog's bark +n01643896 large toothed frog of South America and Central America resembling the bullfrog +n01644373 any of various Old World arboreal frogs distinguished from true frogs by adhesive suckers on the toes +n01644900 western North American frog with a taillike copulatory organ +n01645466 primitive New Zealand frog with four unwebbed toes on forefeet and five on hind feet +n01645776 tailless amphibian similar to a frog but more terrestrial and having drier warty skin +n01646292 any toad of the genus Bufo +n01646388 largest known toad species; native to Central America; valuable destroyer of insect pests +n01646555 common toad of Europe +n01646648 common brownish-yellow short-legged toad of western Europe; runs rather than hops +n01646802 common toad of America +n01646902 Eurasian toad with variable chiefly green coloring +n01647033 small green or yellow-green toad with small black bars and stripes +n01647180 of high Sierra Nevada meadows and forest borders +n01647303 nocturnal burrowing toad of mesquite woodland and prairies of the United States southwest +n01647466 a uniformly warty stocky toad of washes and streams of semiarid southwestern United States +n01647640 of a great variety of habitats from southern Alaska to Baja California west of the Rockies +n01648139 European toad whose male carries the fertilized eggs wrapped around its hind legs until they hatch +n01648356 similar in habit to Alytes obstetricians +n01648620 toad of central and eastern Europe having red or orange patches mixed with black on its underside +n01649170 a burrowing toad of the northern hemisphere with a horny spade-like projection on each hind foot +n01649412 this spadefoot toad live in California +n01649556 this spadefoot toad lives in the southwestern United States +n01649726 this spadefoot toad lives in plains and hills and river bottoms in areas of low rainfall east of the Rocky Mountains +n01650167 arboreal amphibians usually having adhesive disks at the tip of each toe; of southeast Asia and Australia and America +n01650690 a small brown tree toad having a shrill call heard near wetlands of eastern United States and Canada in early spring +n01650901 the most commonly heard frog on the Pacific coast of America +n01651059 a small chiefly ground dweller that stays within easy jumping distance of water; of United States southwest and northern Mexico +n01651285 a form of tree toad +n01651487 either of two frogs with a clicking call +n01651641 a cricket frog of eastern and central United States +n01651778 a cricket frog of eastern United States +n01652026 any of several small North American frogs having a loud call +n01652297 terrestrial burrowing nocturnal frog of grassy terrain and scrub forests having very hard upper surface of head; of the United States southwest +n01653026 small secretive toad with smooth tough skin of central and western North America +n01653223 small toad of southeastern United States +n01653509 mostly of Central America +n01653773 almost completely aquatic frog native to Africa and Panama and northern South America +n01654083 a South American toad; incubates its young in pits in the skin of its back +n01654637 a tongueless frog native to Africa; established in the United States as result of release of laboratory and aquarium animals +n01654863 a South American toad +n01655344 any of the small slender limbless burrowing wormlike amphibians of the order Gymnophiona; inhabit moist soil in tropical regions +n01661091 any cold-blooded vertebrate of the class Reptilia including tortoises, turtles, snakes, lizards, alligators, crocodiles, and extinct forms +n01661592 primitive reptile having no opening in the temporal region of the skull; all extinct except turtles +n01661818 reptile having a pair of openings in the skull behind each eye +n01662060 used in former classifications to include all living reptiles except turtles; superseded by the two subclasses Lepidosauria and Archosauria +n01662622 a reptile of the order Chelonia +n01662784 any of various aquatic and land reptiles having a bony shell and flipper-like limbs for swimming +n01663401 any of various large turtles with limbs modified into flippers; widely distributed in warm seas +n01663782 large tropical turtle with greenish flesh used for turtle soup +n01664065 very large carnivorous sea turtle; wide-ranging in warm open seas +n01664369 a marine turtle +n01664492 grey sea turtle of the Atlantic and Gulf Coasts of North America +n01664674 olive-colored sea turtle of tropical Pacific and Indian and the southern Atlantic oceans +n01664990 pugnacious tropical sea turtle with a hawk-like beak; source of food and the best tortoiseshell +n01665541 wide-ranging marine turtle with flexible leathery carapace; largest living turtle +n01665932 large aggressive freshwater turtle with powerful jaws +n01666228 large-headed turtle with powerful hooked jaws found in or near water; prone to bite +n01666585 large species having three ridges on its back; found in southeastern United States +n01667114 bottom-dwelling freshwater turtle inhabiting muddy rivers of North America and Central America +n01667432 small freshwater turtle having a strong musky odor +n01667778 any of various edible North American web-footed turtles living in fresh or brackish water +n01668091 of marshes along Atlantic and Gulf Coasts of United States +n01668436 freshwater turtle of Chesapeake Bay tributaries having red markings on the lower shell +n01668665 freshwater turtle of United States and South America; frequently raised commercially; some young sold as pets +n01668892 large river turtle of the southern United States and northern Mexico +n01669191 chiefly terrestrial turtle of North America; shell can be closed tightly +n01669372 primarily a prairie turtle of western United States and northern Mexico +n01669654 freshwater turtles having bright yellow and red markings; common in the eastern United States +n01670092 usually herbivorous land turtles having clawed elephant-like limbs; worldwide in arid area except Australia and Antarctica +n01670535 small land tortoise of southern Europe +n01670802 very large tortoises of the Galapagos and Seychelles islands +n01671125 burrowing edible land tortoise of southeastern North America +n01671479 burrowing tortoise of the arid western United States and northern Mexico; may be reclassified as a member of genus Xerobates +n01671705 close relative to the desert tortoise; may be reclassified as a member of genus Xerobates +n01672032 voracious aquatic turtle with a flat flexible shell covered by a leathery skin; can inflict painful bites +n01672432 river turtle of western United States with a warty shell; prefers quiet water +n01672611 river turtle of Mississippi basin; prefers running water +n01673282 only extant member of the order Rhynchocephalia of large spiny lizard-like diapsid reptiles of coastal islands off New Zealand +n01674216 any of various reptiles of the suborder Sauria which includes lizards; in former classifications included also the crocodiles and dinosaurs +n01674464 relatively long-bodied reptile with usually two pairs of legs and a tapering tail +n01674990 any of various small chiefly tropical and usually nocturnal insectivorous terrestrial lizards typically with immovable eyelids; completely harmless +n01675352 a gecko that has membranous expansions along the sides of its body and limbs and tail that enable it to glide short distances +n01675722 any of several geckos with dark bands across the body and differing from typical geckos in having movable eyelids; of United States southwest and Florida Gulf Coast +n01676755 lizards of the New World and Madagascar and some Pacific islands; typically having a long tail and bright throat patch in males +n01677366 large herbivorous tropical American arboreal lizards with a spiny crest along the back; used as human food in Central America and South America +n01677747 shore-dwelling seaweed-eating lizard of the Galapagos Islands +n01678043 small long-tailed lizard of arid areas of southwestern United States and northwestern Mexico +n01678343 a herbivorous lizard that lives among rocks in the arid parts of southwestern United States and Mexico +n01678657 swift lizard with long black-banded tail and long legs; of deserts of United States and Mexico +n01679005 with long pointed scales around toes; of deserts of United States and Mexico +n01679307 any of several slender lizards without external ear openings: of plains of western United States and Mexico +n01679626 any of several robust long-tailed lizards with collars of two dark bands; of central and western United States and northern Mexico +n01679962 any of several large lizards with many dark spots; of western United States and northern Mexico +n01680264 any of numerous lizards with overlapping ridged pointed scales; of North America and Central America +n01680478 spiny lizard often seen basking on fences in the United States and northern Mexico +n01680655 common western lizard; seen on logs or rocks +n01680813 small active lizard of United States and north to British Columbia +n01680983 a ground dweller that prefers open ground and scattered low bushes; of United States west between Rocky and Sierra Nevada Mountains +n01681328 one of the most abundant lizards in the arid western United States +n01681653 a climbing lizard of western United States and northern Mexico +n01681940 insectivorous lizard with hornlike spines on the head and spiny scales on the body; of western North America +n01682172 of arid and semiarid open country +n01682435 small crested arboreal lizard able to run on its hind legs; of tropical America +n01682714 small arboreal tropical American insectivorous lizards with the ability to change skin color +n01683201 a lizard of the genus Amphisbaena; harmless wormlike limbless lizard of warm or tropical regions having concealed eyes and ears and a short blunt tail +n01683558 small secretive nocturnal lizard of southwestern North America and Cuba; bear live young +n01684133 alert agile lizard with reduced limbs and an elongated body covered with shiny scales; more dependent on moisture than most lizards; found in tropical regions worldwide +n01684578 found in western North American grasslands and open woodlands +n01684741 frequents oak and pine habitats in rocky mountainous areas of United States southwest and Mexico +n01685439 tropical New World lizard with a long tail and large rectangular scales on the belly and a long tail +n01685808 any of numerous very agile and alert New World lizards +n01686044 very swift lizard of eastern and central United States +n01686220 having distinct longitudinal stripes: of Colorado Plateau from Arizona to western Colorado +n01686403 having longitudinal stripes overlaid with light spots; upland lizard of United States southwest and Mexico +n01686609 active lizard having a network of dusky dark markings; of semiarid areas from Oregon and Idaho to Baja California +n01686808 markings are darker and more marked than in western whiptail; from southeastern Colorado to eastern Chihuahua +n01687128 large (to 3 feet) blackish yellow-banded South American lizard; raid henhouses; used as food +n01687290 crocodile-like lizard of South America having powerful jaws for crushing snails and mussels +n01687665 a lizard of the family Agamidae +n01687978 small terrestrial lizard of warm regions of the Old World +n01688243 large arboreal insectivorous Australian lizard with a ruff of skin around the neck +n01688961 any lizard of the genus Moloch +n01689081 desert lizard that feeds on ants +n01689411 any of a small family of lizards widely distributed in warm areas; all are harmless and useful as destroyers of e.g. slugs and insects +n01689811 slim short-limbed lizard having a distinctive fold on each side that permits expansion; of western North America +n01690149 small burrowing legless European lizard with tiny eyes; popularly believed to be blind +n01690466 snakelike lizard of Europe and Asia and North America with vestigial hind limbs and the ability to regenerate its long fragile tail +n01691217 degenerate wormlike burrowing lizard of California closely related to alligator lizards +n01691652 a stout-bodied pleurodont lizard of Borneo +n01691951 any of two or three large heavy-bodied lizards; only known venomous lizards +n01692333 large orange and black lizard of southwestern United States; not dangerous unless molested +n01692523 lizard with black and yellowish beadlike scales; of western Mexico +n01692864 Old World terrestrial lizard +n01693175 a common and widely distributed lizard of Europe and central Asia +n01693334 a common Eurasian lizard about a foot long +n01693783 lizard of Africa and Madagascar able to change skin color and having a projectile tongue +n01694178 a chameleon found in Africa +n01694311 a kind of chameleon +n01694709 any of various large tropical carnivorous lizards of Africa and Asia and Australia; fabled to warn of crocodiles +n01694955 destroys crocodile eggs +n01695060 the largest lizard in the world (10 feet); found on Indonesian islands +n01696633 extant archosaurian reptile +n01697178 large voracious aquatic reptile having a long snout with massive jaws and sharp teeth and a body covered with bony plates; of sluggish tropical waters +n01697457 a dangerous crocodile widely distributed in Africa +n01697611 estuarine crocodile of eastern Asia and Pacific islands +n01697749 a variety of crocodile +n01697978 crocodile of southeast Asia similar to but smaller than the gavial +n01698434 either of two amphibious reptiles related to crocodiles but with shorter broader snouts +n01698640 large alligator of the southeastern United States +n01698782 small alligator of the Yangtze valley of China having unwebbed digits +n01699040 a semiaquatic reptile of Central and South America that resembles an alligator but has a more heavily armored belly +n01699254 caiman with bony ridges about the eyes; found from southern Mexico to Argentina +n01699675 large fish-eating Indian crocodilian with a long slender snout +n01701551 dinosaurs having bony armour +n01701859 herbivorous ornithischian dinosaur with a row of bony plates along its back and a spiked tail probably used as a weapon +n01702256 having the back covered with thick bony plates; thought to have walked with a sprawling gait resembling a lizard's +n01702479 heavily armored and highly spiked dinosaur with semi-upright posture +n01703011 bipedal herbivorous dinosaurs with bony crowns +n01703161 bipedal herbivore having 10 inches of bone atop its head; largest boneheaded dinosaur ever found +n01703569 any of several four-footed herbivorous dinosaurs with enormous beaked skulls; of the late Cretaceous in North America and Mongolia +n01704103 small horned dinosaur +n01704323 huge ceratopsian dinosaur having three horns and the neck heavily armored with a very solid frill +n01704626 an unusual ceratopsian dinosaur having many large spikes around the edge of its bony frill and a long nose horn; late Cretaceous +n01705010 primitive dinosaur actually lacking horns and having only the beginning of a frill; long hind limbs and short forelimbs; may have been bipedal +n01705591 bipedal herbivorous dinosaur +n01705934 any of numerous large bipedal ornithischian dinosaurs having a horny duck-like bill and webbed feet; may have been partly aquatic +n01707294 large duck-billed dinosaur of the Cretaceous period +n01708106 herbivorous or carnivorous dinosaur having a three-pronged pelvis like that of a crocodile +n01708998 very large herbivorous dinosaur of the Jurassic and Cretaceous having a small head a long neck and tail and five-toed limbs; largest known land animal +n01709484 huge quadrupedal herbivorous dinosaur common in North America in the late Jurassic +n01709876 a dinosaur that could grow to be as tall as a building five stories tall +n01710177 a huge quadrupedal herbivore with long neck and tail; of late Jurassic in western North America +n01711160 huge herbivorous dinosaur of Cretaceous found in Argentina +n01712008 any of numerous carnivorous dinosaurs of the Triassic to Cretaceous with short forelimbs that walked or ran on strong hind legs +n01712752 primitive medium-sized theropod; swift-running bipedal carnivorous dinosaur having grasping hands with sharp claws and a short horn between the nostrils; Jurassic in North America +n01713170 one of the oldest known dinosaurs; late Triassic; cannibalistic +n01713764 large carnivorous bipedal dinosaur having enormous teeth with knifelike serrations; may have been a scavenger rather than an active predator; later Cretaceous period in North America +n01714231 late Jurassic carnivorous dinosaur; similar to but somewhat smaller than tyrannosaurus +n01715888 lightly built medium-sized dinosaur having extremely long limbs and necks with small heads and big brains and large eyes +n01717016 advanced carnivorous theropod +n01717229 advanced carnivorous theropod +n01717467 small active carnivore that probably fed on protoceratops; possibly related more closely to birds than to other dinosaurs +n01718096 swift agile wolf-sized bipedal dinosaur having a large curved claw on each hind foot; of the Cretaceous +n01718414 large (20-ft) and swift carnivorous dinosaur having an upright slashing claw 15 inches long on each hind foot; early Cretaceous +n01719403 extinct reptile having a single pair of lateral temporal openings in the skull +n01721174 a kind of therapsid +n01721898 large primitive reptile having a tall spinal sail; of the Permian or late Paleozoic in Europe and North America +n01722670 carnivorous dinosaur of the Permian in North America having a crest or dorsal sail +n01722998 an extinct reptile of the Jurassic and Cretaceous having a bird-like beak and membranous wings supported by the very long fourth digit of each forelimb +n01723579 extinct flying reptile +n01724231 any of several marine reptiles of the Mesozoic having a body like a porpoise with dorsal and tail fins and paddle-shaped limbs +n01724840 ichthyosaurs of the Jurassic +n01725086 an ichthyosaur of the genus Stenopterygius +n01725713 extinct marine reptile with a small head on a long neck a short tail and four paddle-shaped limbs; of the Jurassic and Cretaceous +n01726203 extinct marine reptile with longer more slender limbs than plesiosaurs and less completely modified for swimming +n01726692 limbless scaly elongate reptile; some are venomous +n01727646 mostly harmless temperate-to-tropical terrestrial or arboreal or aquatic snakes +n01728266 any of various harmless North American snakes that were formerly believed to take tail in mouth and roll along like a hoop +n01728572 small reddish wormlike snake of eastern United States +n01728920 any of numerous small nonvenomous North American snakes with a yellow or orange ring around the neck +n01729322 harmless North American snake with upturned nose; may spread its head and neck or play dead when disturbed +n01729672 any of various pale blotched snakes with a blunt snout of southwestern North America +n01729977 either of two North American chiefly insectivorous snakes that are green in color +n01730185 of western and central United States +n01730307 of southern and eastern United States +n01730563 any of numerous African colubrid snakes +n01730812 slender fast-moving North American snakes +n01730960 blackish racer of the eastern United States that grows to six feet +n01731137 bluish-green blacksnake found from Ohio to Texas +n01731277 slender fast-moving Eurasian snake +n01731545 any of several small fast-moving snakes with long whiplike tails +n01731764 a whipsnake of southern United States and Mexico; tail resembles a braided whip +n01731941 a whipsnake of scrublands and rocky hillsides +n01732093 both terrestrial and arboreal snake of United States southwest +n01732244 any of various nonvenomous rodent-eating snakes of North America and Asia +n01732614 large harmless snake of southeastern United States; often on farms +n01732789 large harmless shiny black North American snake +n01732989 large North American snake +n01733214 enter buildings in pursuit of prey +n01733466 nocturnal burrowing snake of western United States with shiny tan scales +n01733757 any of several large harmless rodent-eating North American burrowing snakes +n01733957 bull snake of western North America that invades rodent burrows +n01734104 any of several bull snakes of eastern and southeastern United States found chiefly in pine woods; now threatened +n01734418 any of numerous nonvenomous North American constrictors; feed on other snakes and small mammals +n01734637 widespread in United States except northern regions; black or brown with yellow bands +n01734808 nonvenomous tan and brown king snake with an arrow-shaped occipital spot; southeastern ones have red stripes like coral snakes +n01735189 any of numerous nonvenomous longitudinally-striped viviparous North American and Central American snakes +n01735439 a garter snake that is widespread in North America +n01735577 slender yellow-striped North American garter snake; prefers wet places +n01735728 yellow- or reddish-striped snake of temperate woodlands and grasslands to tropics +n01736032 secretive snake of city dumps and parks as well as prairies and open woods; feeds on earthworms; of central United States +n01736375 small shy brightly-ringed terrestrial snake of arid or semiarid areas of western North America +n01736796 in some classifications placed in genus Haldea; small reddish-grey snake of eastern North America +n01737021 any of various mostly harmless snakes that live in or near water +n01737472 in some classifications placed in the genus Nerodia; western United States snake that seldom ventures far from water +n01737728 any of numerous North American water snakes inhabiting fresh waters +n01737875 harmless European snake with a bright yellow collar; common in England +n01738065 a small harmless grass snake +n01738306 harmless woodland snake of southeastern United States +n01738601 small North American burrowing snake +n01738731 a sand snake of southwestern United States; lives in fine to coarse sand or loamy soil in which it `swims'; banding resembles that of coral snakes +n01739094 small secretive ground-living snake; found from central United States to Argentina +n01739381 slender arboreal snake found from southern Arizona to Bolivia +n01739647 mildly venomous snake with a lyre-shaped mark on the head; found in rocky areas from southwestern United States to Central America +n01739871 of desert regions of southwestern North America +n01740131 nocturnal prowler of western United States and Mexico +n01740551 wormlike burrowing snake of warm regions having vestigial eyes +n01740885 burrows among roots of shrubs and beneath rocks in desert and rocky hillside areas and beach sand of western United States +n01741232 large dark-blue nonvenomous snake that invades burrows; found in southern North America and Mexico +n01741442 a variety of indigo snake +n01741562 any of various large nonvenomous snakes that kill their prey by crushing it in its coils +n01741943 any of several chiefly tropical constrictors with vestigial hind limbs +n01742172 very large boa of tropical America and West Indies +n01742447 boa of grasslands and woodlands of western North America; looks and feels like rubber with tail and head of similar shape +n01742821 boa of rocky desert of southwestern United States +n01743086 large arboreal boa of tropical South America +n01743605 large Old World boas +n01743936 Australian python with a variegated pattern on its back +n01744100 of southeast Asia and East Indies; the largest snake in the world +n01744270 very large python of southeast Asia +n01744401 very large python of tropical and southern Africa +n01744555 a python having the color of amethyst +n01745125 any of numerous venomous fanged snakes of warmer parts of both hemispheres +n01745484 any of several venomous New World snakes brilliantly banded in red and black and either yellow or white; widely distributed in South America and Central America +n01745902 ranges from Central America to southeastern United States +n01746191 ranges from Central America to southwestern United States +n01746359 any of various venomous elapid snakes of Asia and Africa and Australia +n01746952 small widely distributed arboreal snake of southern Africa banded in black and orange +n01747285 small venomous but harmless snake marked with black-and-white on red +n01747589 venomous but sluggish reddish-brown snake of Australia +n01747885 venomous Asiatic and African elapid snakes that can expand the skin of the neck into a hood +n01748264 a cobra of tropical Africa and Asia +n01748389 cobra used by the Pharaohs as a symbol of their power over life and death +n01748686 aggressive cobra widely distributed in Africa; rarely bites but spits venom that may cause blindness +n01748906 large cobra of southeastern Asia and the East Indies; the largest venomous snake; sometimes placed in genus Naja +n01749244 highly venomous snake of southern Africa able to spit venom up to seven feet +n01749582 arboreal snake of central and southern Africa whose bite is often fatal +n01749742 a highly venomous southern African mamba dreaded because of its quickness and readiness to bite +n01749939 green phase of the black mamba +n01750167 venomous Australian snake resembling an adder +n01750437 highly venomous brown-and-yellow snake of Australia and Tasmania +n01750743 large semiaquatic snake of Australia; black above with red belly +n01751036 brightly colored venomous but nonaggressive snake of southeastern Asia and Malay peninsula +n01751215 sluggish krait banded with black and yellow +n01751472 large highly venomous snake of northeastern Australia +n01751748 any of numerous venomous aquatic viviparous snakes having a fin-like tail; of warm littoral seas; feed on fish which they immobilize with quick-acting venom +n01752165 venomous Old World snakes characterized by hollow venom-conducting fangs in the upper jaw +n01752585 small terrestrial viper common in northern Eurasia +n01752736 of southern Europe; similar to but smaller than the adder +n01753032 large African viper that inflates its body when alarmed +n01753180 large heavy-bodied brilliantly marked and extremely venomous west African viper +n01753488 highly venomous viper of northern Africa and southwestern Asia having a horny spine above each eye +n01753959 New World vipers with hollow fangs and a heat-sensitive pit on each side of the head +n01754370 common coppery brown pit viper of upland eastern United States +n01754533 venomous semiaquatic snake of swamps in southern United States +n01754876 pit viper with horny segments at the end of the tail that rattle when shaken +n01755581 large deadly rattlesnake with diamond-shaped markings +n01755740 widely distributed in rugged ground of eastern United States +n01755952 southern variety +n01756089 widely distributed between the Mississippi and the Rockies +n01756291 small pale-colored desert rattlesnake of southwestern United States; body moves in an s-shaped curve +n01756508 largest and most dangerous North American snake; of southwestern United States and Mexico +n01756733 mountain rock dweller of Mexico and most southern parts of United States southwest +n01756916 having irregularly cross-banded back; of arid foothills and canyons of southern Arizona and Mexico +n01757115 extremely dangerous; most common in areas of scattered scrubby growth; from Mojave Desert to western Texas and into Mexico +n01757343 markings vary but usually harmonize with background; of southwestern Arizona and Baja California +n01757677 pygmy rattlesnake found in moist areas from the Great Lakes to Mexico; feeds on mice and small amphibians +n01757901 small pygmy rattlesnake +n01758141 large extremely venomous pit viper of Central America and South America +n01758757 the dead body of an animal especially one slaughtered and dressed for food +n01758895 the dead and rotting body of an animal; unfit for human food +n01767661 invertebrate having jointed limbs and a segmented body with an exoskeleton made of chitin +n01768244 an extinct arthropod that was abundant in Paleozoic times; had an exoskeleton divided into three parts +n01769347 air-breathing arthropods characterized by simple eyes and four pairs of legs +n01770081 spiderlike arachnid with a small rounded body and very long thin legs +n01770393 arachnid of warm dry regions having a long segmented tail ending in a venomous stinger +n01770795 small nonvenomous arachnid resembling a tailless scorpion +n01771100 minute arachnid sometimes found in old papers +n01771417 nonvenomous arachnid that resembles a scorpion and that has a long thin tail without a stinger +n01771766 large whip-scorpion of Mexico and southern United States that emits a vinegary odor when alarmed +n01772222 predatory arachnid with eight legs, two poison fangs, two feelers, and usually two silk-spinning organs at the back end of the body; they spin silk to make cocoons for eggs or traps for prey +n01772664 a spider that spins a circular (or near circular) web +n01773157 a widely distributed North American garden spider +n01773549 an orange and tan spider with darkly banded legs that spins an orb web daily +n01773797 a spider common in European gardens +n01774097 spider having a comb-like row of bristles on each hind foot +n01774384 venomous New World spider; the female is black with an hourglass-shaped red mark on the underside of the abdomen +n01774750 large hairy tropical spider with fangs that can inflict painful but not highly venomous bites +n01775062 ground spider that hunts its prey instead of using a web +n01775370 large southern European spider once thought to be the cause of tarantism (uncontrollable bodily movement) +n01775730 American spider that constructs a silk-lined nest with a hinged lid +n01776192 mite or tick +n01776313 any of two families of small parasitic arachnids with barbed proboscis; feed on blood of warm-blooded animals +n01776705 ticks having a hard shield on the back and mouth parts that project from the head +n01777304 a northeastern tick now recognized as same species as Ixodes scapularis +n01777467 a tick that usually does not bite humans; transmits Lyme disease spirochete to dusky-footed wood rats +n01777649 a tick that feeds on dusky-footed wood rat and bites humans; principal vector for Lyme disease in western United States especially northern California +n01777909 parasitic on mice of genus Peromyscus and bites humans; principal vector for Lyme disease in eastern United States (especially New England); northern form was for a time known as Ixodes dammini (deer tick) +n01778217 parasitic on sheep and cattle as well as humans; can transmit looping ill in sheep (acute viral disease of the nervous system); a vector for Lyme disease spirochete +n01778487 bites humans; a vector for Lyme disease spirochete +n01778621 usually does not bite humans; transmits Lyme disease spirochete to cottontail rabbits and wood rats +n01778801 usually does not bite humans; transmits Lyme disease spirochete to cottontail rabbits and wood rats +n01779148 common tick that can transmit Rocky Mountain spotted fever and tularemia +n01779463 tick lacking a dorsal shield and having mouth parts on the under side of the head +n01779629 any of numerous very small to minute arachnids often infesting animals or plants or stored foods +n01779939 a mite that spins a web +n01780142 very small free-living arachnid that is parasitic on animals or plants; related to ticks +n01780426 mite that in all stages feeds on other arthropods +n01780696 mite that as nymph and adult feeds on early stages of small arthropods but whose larvae are parasitic on terrestrial vertebrates +n01781071 larval mite that sucks the blood of vertebrates including human beings causing intense irritation +n01781570 any of several mites of the order Acarina +n01781698 whitish mites that attack the skin of humans and other animals +n01781875 any of several varieties of mite that burrow into plants and cause a reddish-brown discoloration on the leaves or fruit +n01782209 web-spinning mite that attacks garden plants and fruit trees +n01782516 small web-spinning mite; a serious orchard pest +n01783017 general term for any terrestrial arthropod having an elongated body composed of many similar segments: e.g. centipedes and millipedes +n01783706 minute arthropod often infesting the underground parts of truck-garden and greenhouse crops +n01784293 an arthropod of the division Tardigrada +n01784675 chiefly nocturnal predacious arthropod having a flattened body of 15 to 173 segments each with a pair of legs, the foremost pair being modified as prehensors +n01785667 long-legged centipede common in damp places as e.g. cellars +n01786646 any of numerous herbivorous nonpoisonous arthropods having a cylindrical body of 20 to 100 or more segments most with two pairs of legs +n01787006 any of various small spiderlike marine arthropods having small thin bodies and long slender legs +n01787191 used in some classifications; includes the orders Xiphosura and Eurypterida +n01787835 large marine arthropod of the Atlantic coast of North America having a domed carapace that is shaped like a horseshoe and a stiff pointed tail; a living fossil related to the wood louse +n01788291 horseshoe crab of the coast of eastern Asia +n01788579 large extinct scorpion-like arthropod considered related to horseshoe crabs +n01788864 wormlike arthropod having two pairs of hooks at the sides of the mouth; parasitic in nasal sinuses of mammals +n01789386 heavy-bodied largely ground-feeding domestic or game birds +n01789740 a domesticated gallinaceous bird thought to be descended from the red jungle fowl +n01790171 an English breed of large domestic fowl having five toes (the hind toe doubled) +n01790304 an American breed of domestic fowl +n01790398 English breed of compact domestic fowl; raised primarily to crossbreed to produce roasters +n01790557 small plump hybrid developed by crossbreeding Plymouth Rock and Cornish fowl +n01790711 any of several breeds reared for cockfighting +n01790812 Asian breed of large fowl with dense plumage and feathered legs +n01791107 small Asiatic wild bird; believed to be ancestral to domestic fowl +n01791314 male jungle fowl +n01791388 female jungle fowl +n01791463 a jungle fowl of southeastern Asia that is considered ancestral to the domestic fowl +n01791625 a domestic fowl bred for flesh or eggs; believed to have been developed from the red jungle fowl +n01791954 any of various small breeds of fowl +n01792042 young bird especially of domestic fowl +n01792158 adult male chicken +n01792429 a young domestic cock; not older than one year +n01792530 castrated male chicken +n01792640 adult female chicken +n01792808 a hen that has just laid an egg and emits a shrill squawk +n01792955 a domestic hen ready to brood +n01793085 a hen with chicks +n01793159 a hen that lays eggs +n01793249 young hen usually less than a year old +n01793340 a young chicken having tender meat +n01793435 American breed of heavy-bodied brownish-red general-purpose chicken +n01793565 American breed of chicken having barred grey plumage raised for meat and brown eggs +n01793715 English breed of large chickens with white skin +n01794158 large gallinaceous bird with fan-shaped tail; widely domesticated for food +n01794344 male turkey +n01794651 wild turkey of Central America and northern South America +n01795088 popular game bird having a plump body and feathered legs and feet +n01795545 grouse of which the male is bluish-black +n01795735 large northern European grouse that is black with a lyre-shaped tail +n01795900 a black grouse of western Asia +n01796019 male black grouse +n01796105 female black grouse +n01796340 large Arctic and subarctic grouse with feathered feet and usually white winter plumage +n01796519 reddish-brown grouse of upland moors of Great Britain +n01796729 female red grouse +n01797020 large black Old World grouse +n01797307 North American grouse that feeds on evergreen buds and needles +n01797601 large grouse of sagebrush regions of North America +n01797886 valued as a game bird in eastern United States and Canada +n01798168 large grouse of prairies and open forests of western North America +n01798484 brown mottled North American grouse of western prairies +n01798706 the most common variety of prairie chicken +n01798839 a smaller prairie chicken of western Texas +n01798979 extinct prairie chicken +n01799302 any of several large turkey-like game birds of the family Cracidae; native to jungles of tropical America; resembling the curassows and valued as food +n01799679 large crested arboreal game bird of warm parts of the Americas having long legs and tails; highly esteemed as game and food +n01800195 a kind of guan +n01800424 slender arboreal guan resembling a wild turkey; native to Central America and Mexico; highly regarded as game birds +n01800633 of Mexico and Texas +n01801088 large-footed short-winged birds of Australasia; build mounds of decaying vegetation to incubate eggs +n01801479 Australian mound bird; incubates eggs naturally in sandy mounds +n01801672 adult female mallee fowl +n01801876 black megapode of wooded regions of Australia and New Guinea +n01802159 Celebes megapode that lays eggs in holes in sandy beaches +n01802721 a kind of game bird in the family Phasianidae +n01803078 large long-tailed gallinaceous bird native to the Old World but introduced elsewhere +n01803362 common pheasant having bright plumage and a white neck ring +n01803641 both sexes are brightly colored +n01803893 large brilliantly patterned East Indian pheasant +n01804163 brightly colored crested pheasant of mountains of western and central Asia +n01804478 a popular North American game bird; named for its call +n01804653 a favorite game bird of eastern and central United States +n01804921 small game bird with a rounded body and small tail +n01805070 the typical Old World quail +n01805321 brilliantly colored pheasant of southern Asia +n01805801 very large terrestrial southeast Asian pheasant often raised as an ornamental bird +n01806061 a young peafowl +n01806143 male peafowl; having a crested head and very large fanlike tail marked with iridescent eyes or spots +n01806297 female peafowl +n01806364 peafowl of India and Ceylon +n01806467 peafowl of southeast Asia +n01806567 small gallinaceous game birds +n01806847 plump chunky bird of coastal California and Oregon +n01807105 brilliantly colored Asian pheasant having wattles and two fleshy processes on the head +n01807496 small Old World gallinaceous game birds +n01807828 common European partridge +n01808140 common western European partridge with red legs +n01808291 of mountainous areas of southern Europe +n01808596 California partridge; slightly larger than the California quail +n01809106 a west African bird having dark plumage mottled with white; native to Africa but raised for food in many parts of the world +n01809371 female guinea fowl +n01809752 crested ill-smelling South American bird whose young have claws on the first and second digits of the wings +n01810268 heavy-bodied small-winged South American game bird resembling a gallinaceous bird but related to the ratite birds +n01810700 a cosmopolitan order of land birds having small heads and short legs with four unwebbed toes +n01811243 extinct heavy flightless bird of Mauritius related to pigeons +n01811909 wild and domesticated birds having a heavy body and short legs +n01812187 one of a breed of pigeon that enlarge their crop until their breast is puffed out +n01812337 any of numerous small pigeons +n01812662 pale grey Eurasian pigeon having black-striped wings from which most domestic species are descended +n01812866 wild pigeon of western North America; often mistaken for the now extinct passenger pigeon +n01813088 Eurasian pigeon with white patches on wings and neck +n01813385 any of several Old World wild doves +n01813532 the common European wild dove noted for its plaintive cooing +n01813658 greyish Old World turtledove with a black band around the neck; often caged +n01813948 small Australian dove +n01814217 wild dove of the United States having a mournful call +n01814370 domesticated pigeon raised for sport or food +n01814549 an unfledged pigeon +n01814620 fancy domestic pigeon having blue-and-white plumage and heavily muffed feet +n01814755 pigeon that executes backward somersaults in flight or on the ground +n01814921 pigeon trained to return home +n01815036 a homing pigeon used to carry messages +n01815270 gregarious North American migratory pigeon now extinct +n01815601 pigeon-like bird of arid regions of the Old World having long pointed wings and tail and precocial downy young +n01816017 sandgrouse of India +n01816140 sandgrouse of Europe and Africa having elongated middle tail feathers +n01816474 Eurasiatic sandgrouse with a black patch on the belly +n01816887 usually brightly colored zygodactyl tropical birds with short hooked beaks and the ability to mimic sounds +n01817263 an archaic term for a parrot +n01817346 a tame parrot +n01817953 commonly domesticated grey parrot with red-and-black tail and white face; native to equatorial Africa +n01818299 mainly green tropical American parrots +n01818515 long-tailed brilliantly colored parrot of Central America and South America; among the largest and showiest of parrots +n01818832 large brownish-green New Zealand parrot +n01819115 white or light-colored crested parrot of the Australian region; often kept as cage birds +n01819313 white cockatoo with a yellow erectile crest +n01819465 white Australian cockatoo with roseate tinged plumage +n01819734 small grey Australian parrot with a yellow crested head +n01820052 small African parrot noted for showing affection for their mates +n01820348 small brightly colored Australasian parrots having a brush-tipped tongue for feeding on nectar and soft fruits +n01820546 any of various small lories +n01820801 lorikeet with a colorful coat +n01821076 a kind of lorikeet +n01821203 any of numerous small slender long-tailed parrots +n01821554 extinct parakeet whose range extended far into the United States +n01821869 small Australian parakeet usually light green with black and yellow markings in the wild but bred in many colors +n01822300 African parakeet +n01822602 birds having zygodactyl feet (except for the touracos) +n01823013 any of numerous European and North American birds having pointed wings and a long tail +n01823414 common cuckoo of Europe having a distinctive two-note call; lays eggs in the nests of other birds +n01823740 North American cuckoo; builds a nest and rears its own young +n01824035 speedy largely terrestrial bird found from California and Mexico to Texas +n01824344 black tropical American cuckoo +n01824575 Old World ground-living cuckoo having a long dagger-like hind claw +n01824749 common coucal of India and China +n01825278 large brightly crested bird of Africa +n01825930 chiefly short-legged arboreal nonpasserine birds that nest in holes +n01826364 Old World bird that tumbles or rolls in flight; related to kingfishers +n01826680 common European blue-and-green roller with a reddish-brown back +n01826844 Madagascan roller with terrestrial and crepuscular habits that feeds on e.g. insects and worms +n01827403 nonpasserine large-headed bird with a short tail and long sharp bill; usually crested and bright-colored; feed mostly on fish +n01827793 small kingfisher with greenish-blue and orange plumage +n01828096 greyish-blue North American kingfisher with a chestnut band on its chest +n01828556 Australian kingfisher having a loud cackling cry +n01828970 colorful chiefly tropical Old World bird having a strong graceful flight; feeds on especially bees +n01829413 bird of tropical Africa and Asia having a very large bill surmounted by a bony protuberance; related to kingfishers +n01829869 any of several crested Old World birds with a slender downward-curved bill +n01830042 pinkish-brown hoopoe with black-and-white wings +n01830479 tropical African bird having metallic blackish plumage but no crest +n01830915 tropical American bird resembling a blue jay and having greenish and bluish plumage +n01831360 tiny insectivorous West Indian bird having red-and-green plumage and a long straight bill +n01831712 nonpasserine bird having long wings and weak feet; spends much of its time in flight +n01832167 a small bird that resembles a swallow and is noted for its rapid flight +n01832493 common European bird with a shrieking call that nests chiefly about eaves of buildings or on cliffs +n01832813 American swift that nests in e.g. unused chimneys +n01833112 swift of eastern Asia; produces the edible bird's nest +n01833415 birds of southeast Asia and East Indies differing from true swifts in having upright crests and nesting in trees +n01833805 tiny American bird having brilliant iridescent plumage and long slender bills; wings are specialized for vibrating flight +n01834177 a kind of hummingbird +n01834540 any of various South American hummingbirds with a sharp pointed bill +n01835276 mainly crepuscular or nocturnal nonpasserine birds with mottled greyish-brown plumage and large eyes; feed on insects +n01835769 Old World goatsucker +n01835918 large whippoorwill-like bird of the southern United States +n01836087 American nocturnal goatsucker with grey-and-white plumage +n01836673 goatsucker of western North America +n01837072 insectivorous bird of Australia and southeastern Asia having a wide frog-like mouth +n01837526 nocturnal fruit-eating bird of South America that has fatty young yielding an oil that is used instead of butter +n01838038 any of numerous nonpasserine insectivorous climbing birds usually having strong bills for boring wood +n01838598 bird with strong claws and a stiff tail adapted for climbing and a hard chisel-like bill for boring into wood for insects +n01839086 woodpecker of Europe and western Asia +n01839330 small North American woodpecker with black and white plumage and a small bill +n01839598 North American woodpecker +n01839750 large flicker of eastern North America with a red neck and yellow undersurface to wings and tail +n01839949 southwestern United States bird like the yellow-shafted flicker but lacking the red neck +n01840120 western United States bird with red undersurface to wings and tail +n01840412 large black-and-white woodpecker of southern United States and Cuba having an ivory bill; nearly extinct +n01840775 black-and-white North American woodpecker having a red head and neck +n01841102 small American woodpecker that feeds on sap from e.g. apple and maple trees +n01841288 eastern North American sapsucker having a pale yellow abdomen +n01841441 western North American sapsucker +n01841679 Old World woodpecker with a peculiar habit of twisting the neck +n01841943 small woodpeckers of South America and Africa and East Indies having soft rounded tail feathers +n01842235 small brightly colored stout-billed tropical bird having short weak wings +n01842504 brownish tropical American bird having a large head with fluffed out feathers +n01842788 small bird of tropical Africa and Asia; feeds on beeswax and honey and larvae +n01843065 tropical American insectivorous bird having a long sharp bill and iridescent green or bronze plumage +n01843383 brilliantly colored arboreal fruit-eating bird of tropical America having a very large thin-walled beak +n01843719 small toucan +n01844231 forest bird of warm regions of the New World having brilliant lustrous plumage and long tails +n01844551 large trogon of Central America and South America having golden-green and scarlet plumage +n01844746 very rare Central American bird; the national bird of Guatemala +n01844917 wading and swimming and diving birds of either fresh or salt water +n01845132 freshwater aquatic bird +n01845477 chiefly web-footed swimming birds +n01846331 small wild or domesticated web-footed broad-billed swimming bird usually having a depressed body and short legs +n01847000 adult male of a wild or domestic duck +n01847089 child's word for a duck +n01847170 young duck +n01847253 any of various ducks of especially bays and estuaries that dive for their food +n01847407 any of numerous shallow-water ducks that feed by upending and dabbling +n01847806 wild dabbling duck from which domestic ducks are descended; widely distributed +n01847978 a dusky duck of northeastern United States and Canada +n01848123 any of various small short-necked dabbling river ducks of Europe and America +n01848323 common teal of Eurasia and North America +n01848453 American teal +n01848555 small Eurasian teal +n01848648 freshwater duck of Eurasia and northern Africa related to mallards and teals +n01848840 a widgeon the male of which has a white crown +n01848976 freshwater duck of the northern hemisphere having a broad flat bill +n01849157 long-necked river duck of the Old and New Worlds having elongated central tail feathers +n01849466 Old World gooselike duck slightly larger than a mallard with variegated mostly black-and-white plumage and a red bill +n01849676 female sheldrake +n01849863 reddish-brown stiff-tailed duck of North America and northern South America +n01850192 small North American diving duck; males have bushy head plumage +n01850373 large-headed swift-flying diving duck of Arctic regions +n01850553 North American goldeneye diving duck +n01850873 North American wild duck valued for sport and food +n01851038 heavy-bodied Old World diving duck having a grey-and-black body and reddish head +n01851207 North American diving duck with a grey-and-black body and reddish-brown head +n01851375 diving ducks of North America having a bluish-grey bill +n01851573 large scaup of North America having a greenish iridescence on the head of the male +n01851731 common scaup of North America; males have purplish heads +n01851895 an undomesticated duck (especially a mallard) +n01852142 showy North American duck that nests in hollow trees +n01852329 male wood duck +n01852400 showy crested Asiatic duck; often domesticated +n01852671 large crested wild duck of Central America and South America; widely domesticated +n01852861 any of various large diving ducks found along the seacoast: eider; scoter; merganser +n01853195 duck of the northern hemisphere much valued for the fine soft down of the females +n01853498 large black diving duck of northern parts of the northern hemisphere +n01853666 a variety of scoter +n01853870 a common long-tailed sea duck of the northern parts of the United States +n01854415 large crested fish-eating diving duck having a slender hooked bill with serrated edges +n01854700 common merganser of Europe and North America +n01854838 common North American diving duck considered a variety of the European goosander +n01855032 widely distributed merganser of America and Europe +n01855188 smallest merganser and most expert diver; found in northern Eurasia +n01855476 small North American duck with a high circular crest on the male's head +n01855672 web-footed long-necked typically gregarious migratory aquatic birds usually larger and less aquatic than ducks +n01856072 young goose +n01856155 mature male goose +n01856380 very large wild goose of northeast Asia; interbreeds freely with the greylag +n01856553 common grey wild goose of Europe; ancestor of many domestic breeds +n01856890 North American wild goose having dark plumage in summer but white in winter +n01857079 blue goose in the white color phase +n01857325 small dark geese that breed in the north and migrate southward +n01857512 the best known variety of brant goose +n01857632 common greyish-brown wild goose of North America with a loud, trumpeting call +n01857851 European goose smaller than the brant; breeds in the far north +n01858281 large white South American bird intermediate in some respects between ducks and swans +n01858441 stately heavy-bodied aquatic bird with very long neck and usually white plumage as adult +n01858780 adult male swan +n01858845 female swan +n01858906 a young swan +n01859190 soundless Eurasian swan; commonly domesticated +n01859325 common Old World swan noted for its whooping call +n01859496 swan that nests in tundra regions of the New and Old Worlds +n01859689 North American subspecies of tundra swan having a soft whistling note +n01859852 Eurasian subspecies of tundra swan; smaller than the whooper +n01860002 large pure white wild swan of western North America having a sonorous cry +n01860187 large Australian swan having black plumage and a red bill +n01860497 gooselike aquatic bird of South America having a harsh trumpeting call +n01860864 screamer having a hornlike process projecting from the forehead +n01861148 distinguished from the horned screamer by a feathery crest on the back of the head +n01861330 largest crested screamer; native to southern Brazil and Argentina +n01861778 any warm-blooded vertebrate having the skin more or less covered with hair; young are born alive except for the small subclass of monotremes and nourished with milk +n01862399 animals that nourish their young with milk +n01871265 any mammal with prominent tusks (especially an elephant or wild boar) +n01871543 primitive oviparous mammals found only in Australia and Tasmania and New Guinea +n01871875 the most primitive mammals comprising the only extant members of the subclass Prototheria +n01872401 a burrowing monotreme mammal covered with spines and having a long snout and claws for hunting ants and termites; native to Australia +n01872772 a burrowing monotreme mammal covered with spines and having a long snout and claws for hunting ants and termites; native to New Guinea +n01873310 small densely furred aquatic monotreme of Australia and Tasmania having a broad bill and tail and webbed feet; only species in the family Ornithorhynchidae +n01874434 mammals of which the females have a pouch (the marsupium) containing the teats where the young are fed and carried +n01874928 nocturnal arboreal marsupial having a naked prehensile tail found from southern North America to northern South America +n01875313 omnivorous opossum of the eastern United States; noted for feigning death when in danger; esteemed as food in some areas; considered same species as the crab-eating opossum of South America +n01875610 South American opossum +n01876034 terrestrial marsupials of southern South America that resemble shrews +n01876326 any of various agile ratlike terrestrial marsupials of Australia and adjacent islands; insectivorous and herbivorous +n01876667 bandicoot with leathery ears like a rabbit +n01877134 any of several herbivorous leaping marsupials of Australia and New Guinea having large powerful hind legs and a long thick tail +n01877606 very large greyish-brown Australian kangaroo formerly abundant in open wooded areas +n01877812 any of various small or medium-sized kangaroos; often brightly colored +n01878061 a small wallaby having a height of 30 inches +n01878335 small Australian wallaby that resembles a hare and has persistent teeth +n01878639 small wallabies with a horny nail on the tip of the tail +n01878929 slender long-legged Australian wallabies living in caves and rocky areas +n01879217 small reddish-brown wallabies of scrubby areas of Australia and New Guinea +n01879509 arboreal wallabies of New Guinea and northern Australia having hind and forelegs of similar length +n01879837 small kangaroo of northeastern Australia +n01880152 any of several rabbit-sized ratlike Australian kangaroos +n01880473 Australian rat kangaroos +n01880716 short-nosed rat kangaroo +n01880813 brush-tailed rat kangaroo +n01881171 small furry Australian arboreal marsupials having long usually prehensile tails +n01881564 woolly-haired monkey-like arboreal marsupial of New Guinea and northern Australia +n01881857 bushy-tailed phalanger +n01882125 nocturnal phalangers that move with gliding leaps using parachute-like folds of skin along the sides of the body +n01882714 sluggish tailless Australian arboreal marsupial with grey furry ears and coat; feeds on eucalyptus leaves and bark +n01883070 burrowing herbivorous Australian marsupials about the size of a badger +n01883513 small carnivorous nocturnal marsupials of Australia and Tasmania +n01883920 any of several more or less arboreal marsupials somewhat resembling martens +n01884104 a variety of dasyure +n01884203 carnivorous arboreal cat-like marsupials of Australia and Tasmania +n01884476 rare doglike carnivorous marsupial of Tasmania having stripes on its back; probably extinct +n01884834 small ferocious carnivorous marsupial having a mostly black coat and long tail +n01885158 any of numerous small sharp-nosed insectivorous marsupials superficially resembling mice or rats +n01885498 small Australian marsupial having long snout and strong claws for feeding on termites; nearly extinct +n01886045 small burrowing Australian marsupial that resembles a mole +n01886756 mammals having a placenta; all mammals except monotremes and marsupials +n01887474 any animals kept for use or profit +n01887623 mature male of various mammals of which the female is called `cow'; e.g. whales or elephants or especially cattle +n01887787 mature female of mammals of which the male is called `bull' +n01887896 young of domestic cattle +n01888045 young of various large placental mammals e.g. whale or giraffe or elephant or buffalo +n01888181 an animal in its second year +n01888264 mature male of various mammals (especially deer or antelope) +n01888411 mature female of mammals of which the male is called `buck' +n01889074 small insect-eating mainly nocturnal terrestrial or fossorial mammals +n01889520 small velvety-furred burrowing mammal having small eyes and fossorial forefeet +n01889849 amphibious mole of eastern North America having pink fleshy tentacles around the nose +n01890144 mole of eastern North America +n01890564 mole of southern Africa having iridescent guard hairs mixed with the underfur +n01890860 slender mole having a long snout and tail +n01891013 shrew mole of eastern Asia +n01891274 greyish-black shrew mole of the United States and Canada +n01891633 small mouselike mammal with a long snout; related to moles +n01892030 common American shrew +n01892145 commonest shrew of moist habitats in North America +n01892385 North American shrew with tail less than half its body length +n01892551 any of several small semiaquatic shrews usually living near swift-flowing streams +n01892744 water shrew of North America +n01893021 widely distributed Old World water shrew +n01893164 a type of water shrew +n01893399 small brown shrew of grassy regions of eastern United States +n01893825 small nocturnal Old World mammal covered with both hair and protective spines +n01894207 small often spiny insectivorous mammal of Madagascar; resembles a hedgehog +n01894522 prolific animal that feeds chiefly on earthworms +n01894956 amphibious African insectivorous mammal that resembles an otter +n01896844 down of the eider duck +n01897257 a supplementary feather (usually small) on the underside of the base of the shaft of some feathers in some birds +n01897426 one of the long curved tail feathers of a rooster +n01897536 feathers covering the body of an adult bird and determining its shape +n01897667 tuft of small stiff feathers on the first digit of a bird's wing +n01898593 a long narrow feather on the back (saddle) of a domestic fowl +n01899894 the mane of a horse +n01900150 a filamentous projection or process on an organism +n01903234 a protective structure resembling a scale +n01903346 large bony or horny plate as on an armadillo or turtle or the underside of a snake +n01903498 hard plate or element of the exoskeleton of some arthropods +n01904029 (zoology) the part of a turtle's shell forming its underside +n01904806 a shell of a scallop +n01904886 a shell of an oyster +n01905321 outer sheath of the pupa of certain insects +n01905661 any animal lacking a backbone or notochord; the term is not used as a scientific classification +n01906749 primitive multicellular marine animal whose porous body is supported by a fibrous skeletal framework; usually occurs in sessile colonies +n01907287 any of the flagellated cells in sponges having a collar of cytoplasm around the flagellum; they maintain a flow of water through the body +n01907738 a siliceous sponge (with glassy spicules) of the class Hyalospongiae +n01908042 a deep-water marine sponge having a cylindrical skeleton of intricate glassy latticework; found in the waters of the East Indies and the eastern coast of Asia +n01908958 any animal of the subkingdom Metazoa; all animals except protozoans and sponges +n01909422 radially symmetrical animals having saclike bodies with only one opening and tentacles with stinging structures; they occur in polyp and medusa forms +n01909788 the flat ciliated free-swimming larva of hydrozoan coelenterates +n01909906 one of two forms that coelenterates take (e.g. a hydra or coral): usually sedentary with a hollow cylindrical body usually with a ring of tentacles around the mouth +n01910252 one of two forms that coelenterates take: it is the free-swimming sexual phase in the life cycle of a coelenterate; in this phase it has a gelatinous umbrella-shaped body and tentacles +n01910747 any of numerous usually marine and free-swimming coelenterates that constitute the sexually reproductive forms of hydrozoans and scyphozoans +n01911063 any of various usually free-swimming marine coelenterates having a gelatinous medusoid stage as the dominant phase of its life cycle +n01911403 a type of jellyfish +n01911839 colonial coelenterates having the polyp phase dominant +n01912152 small tubular solitary freshwater hydrozoan polyp +n01912454 a floating or swimming oceanic colony of polyps often transparent or showily colored +n01912809 small creatures resembling pieces of fuzzy rope; each with a cluster of swimming bells serving as the head and long elastic tentacles for drawing in prey +n01913166 large siphonophore having a bladderlike float and stinging tentacles +n01913346 colonial siphonophore of up to 130 ft long +n01913440 large siphonophore of up to 50 ft long +n01914163 sessile marine coelenterates including solitary and colonial polyps; the medusoid phase is entirely suppressed +n01914609 marine polyps that resemble flowers but have oral rings of tentacles; differ from corals in forming no hard skeleton +n01914830 any sea anemone or related animal +n01915700 fleshy featherlike warm-water colonies +n01915811 marine colonial polyp characterized by a calcareous skeleton; masses in a variety of shapes often forming reefs +n01916187 corals having a horny or calcareous branching skeleton +n01916388 corals forming featherlike colonies +n01916481 corals having a treelike or fan-shaped horny skeleton +n01916588 corals of especially the Mediterranean having pink or red color used for ornaments and jewelry +n01916925 corals having calcareous skeletons aggregations of which form reefs and islands +n01917289 massive reef-building coral having a convoluted and furrowed surface +n01917611 large branching coral resembling antlers +n01917882 flattened disk-shaped stony coral (usually solitary and unattached) +n01918744 biradially symmetrical hermaphroditic solitary marine animals resembling jellyfishes having for locomotion eight rows of cilia arranged like teeth in a comb +n01919385 delicately iridescent thimble-shaped ctenophores +n01920051 ctenophore have long tentacles and flattened body +n01920438 ctenophore having a rounded body with longitudinal rows of cilia +n01921059 ctenophore having a ribbon-shaped iridescent gelatinous body +n01922303 any of numerous relatively small elongated soft-bodied animals especially of the phyla Annelida and Chaetognatha and Nematoda and Nemertea and Platyhelminthes; also many insect larvae +n01922717 worm that is parasitic on the intestines of vertebrates especially roundworms and tapeworms and flukes +n01922948 a larva of a woodborer +n01923025 any of various insects or larvae or mollusks that bore into wood +n01923404 any of various worms living parasitically in intestines of vertebrates having a retractile proboscis covered with many hooked spines +n01923890 any worm of the Chaetognatha; transparent marine worm with horizontal lateral and caudal fins and a row of movable curved spines at each side of the mouth +n01924800 encysted saclike larva of the tapeworm +n01924916 parasitic or free-living worms having a flattened body +n01925270 free-swimming mostly freshwater flatworms; popular in laboratory studies for the ability to regenerate lost parts +n01925695 parasitic flatworms having external suckers for attaching to a host +n01925916 tadpole-shaped parasitic larva of a trematode worm; tail disappears in adult stage +n01926379 flatworm parasitic in liver and bile ducts of domestic animals and humans +n01926689 fluke that is parasitic on humans and swine; common in eastern Asia +n01927159 flatworms parasitic in the blood vessels of mammals +n01927456 ribbonlike flatworms that are parasitic in the intestines of humans and other vertebrates +n01927928 tapeworms whose larvae are parasitic in humans and domestic animals +n01928215 tapeworms parasitic in humans which uses the pig as its intermediate host +n01928517 soft unsegmented marine worms that have a threadlike proboscis and the ability to stretch and contract +n01928865 slender animal with tentacles and a tubelike outer covering; lives on the deep ocean bottom +n01929186 minute aquatic multicellular organisms having a ciliated wheel-like organ for feeding and locomotion; constituents of freshwater plankton +n01930112 unsegmented worms with elongated rounded body pointed at both ends; mostly free-living but some are parasitic +n01930852 intestinal parasite of humans and pigs +n01931140 intestinal parasite of domestic fowl +n01931520 small threadlike worm infesting human intestines and rectum especially in children +n01931714 any of various small free-living plant-parasitic roundworms +n01932151 minute eelworm that feeds on organisms that cause fermentation in e.g. vinegar +n01932936 parasitic nematode occurring in the intestines of pigs and rats and human beings and producing larvae that form cysts in skeletal muscles +n01933151 parasitic bloodsucking roundworms having hooked mouth parts to fasten to the intestinal wall of human and other hosts +n01933478 slender threadlike roundworms living in the blood and tissues of vertebrates; transmitted as larvae by biting insects +n01933988 parasitic roundworm of India and Africa that lives in the abdomen or beneath the skin of humans and other vertebrates +n01934440 worms with cylindrical bodies segmented both internally and externally +n01934844 small primitive marine worm lacking external segmentation and resembling polychaete larvae +n01935176 hermaphroditic terrestrial and aquatic annelids having bristles borne singly along the length of the body +n01935395 terrestrial worm that burrows into and helps aerate soil; often surfaces when the ground is cool or wet; used as bait by anglers +n01936391 chiefly marine annelids possessing both sexes and having paired appendages (parapodia) bearing bristles +n01936671 marine worms having a row of tufted gills along each side of the back; often used for fishing bait +n01936858 any of several large worms having a broad flattened body with a mat of coarse hairs covering the back +n01937579 a segmented marine worm with bright red body; often used for bait +n01937909 carnivorous or bloodsucking aquatic or terrestrial worms typically having a sucker at each end +n01938454 large European freshwater leech formerly used for bloodletting +n01938735 any of several large freshwater leeches +n01940736 invertebrate having a soft unsegmented body usually enclosed in a shell +n01941223 burrowing marine mollusk +n01941340 any of various seashore mollusks having a tapering tubular shell open at each end and a foot pointed like a spade for burrowing +n01942177 a class of mollusks typically having a one-piece coiled shell and flattened muscular foot with a head bearing stalked eyes +n01942869 any of various large edible marine gastropods of the genus Haliotis having an ear-shaped shell with pearly interior +n01943087 an abalone found near the Channel Islands +n01943541 any of numerous tropical marine snails that as adults have the outer lip of the aperture produced into a series of long curved spines +n01943899 any of various edible tropical marine gastropods of the genus Strombus having a brightly-colored spiral shell with large outer lip +n01944118 a large variety of conch +n01944390 freshwater or marine or terrestrial gastropod mollusk usually having an external enclosing spiral shell +n01944812 one of the chief edible snails +n01944955 any of several inedible snails of the genus Helix; often destructive pests +n01945143 serious garden pest having a brown shell with paler zigzag markings; nearly cosmopolitan in distribution +n01945340 a kind of garden snail +n01945685 any of various terrestrial gastropods having an elongated slimy body and no external shell +n01945845 any of several creeping marine gastropods with a spirally coiled shell: whelks; tritons; moon shells; neritids +n01946277 operculate seasnail of coastal waters with a short spiral shell +n01946630 a neritid gastropod having a short smooth or spirally ridged shell with thick usually toothed outer lip and toothed operculum +n01946827 gastropod having reddish toothlike projections around the shell opening; of the Caribbean area +n01947139 ornately marked and brightly colored snails of brackish waters +n01947396 large carnivorous marine gastropods of coastal waters and intertidal regions having a strong snail-like shell +n01947997 marine gastropods having smooth rounded shells that form short spires +n01948446 edible marine gastropod +n01948573 any of various usually marine gastropods with low conical shells; found clinging to rocks in littoral areas +n01949085 marine limpet +n01949499 marine limpet having a conical shell with an opening at the apex +n01949973 minute conical gastropod superficially resembling a limpet but living and feeding on freshwater plants +n01950731 any of various marine gastropods of the suborder Nudibranchia having a shell-less and often beautifully colored body +n01951274 naked marine gastropod having a soft body with reduced internal shell and two pairs of ear-like tentacles +n01951613 a kind of sea slug +n01952029 marine gastropod mollusk having a very small thin shell +n01952712 any member of the genus Physa +n01953361 any of numerous tropical marine gastropods of the genus Cypraea having highly polished usually brightly marked shells +n01953594 cowrie whose shell is used for money in parts of the southern Pacific and in parts of Africa +n01953762 cowrie whose shell is used for ornament +n01954516 deep-water wormlike mollusks lacking calcareous plates on the body but having fine slimy spicules on the covering mantle +n01955084 primitive elongated bilaterally symmetrical marine mollusk having a mantle covered with eight calcareous plates +n01955933 marine or freshwater mollusks having a soft body with platelike gills enclosed within two shells hinged together +n01956344 a young oyster or other bivalve +n01956481 burrowing marine mollusk living on sand or mud; the shell closes with viselike firmness +n01956764 the shell of a marine organism +n01957335 an edible clam with thin oval-shaped shell found in coastal regions of the United States and Europe +n01958038 an edible American clam; the heavy shells were used as money by some American Indians +n01958346 a young quahog +n01958435 a half-grown quahog +n01958531 a large edible clam found burrowing deeply in sandy mud along the Pacific coast of North America; weighs up to six pounds; has siphons that can extend to several feet and cannot be withdrawn into the shell +n01959029 marine clam having a long narrow curved thin shell +n01959492 a large clam inhabiting reefs in the southern Pacific and weighing up to 500 pounds +n01959985 common edible, burrowing European bivalve mollusk that has a strong, rounded shell with radiating ribs +n01960177 common edible European cockle +n01960459 marine mollusks having a rough irregular shell; found on the sea bed mostly in coastal waters +n01961234 a large oyster native to Japan and introduced along the Pacific coast of the United States; a candidate for introduction in Chesapeake Bay +n01961600 common edible oyster of Atlantic coast of North America +n01961985 tropical marine bivalve found chiefly off eastern Asia and Pacific coast of North America and Central America; a major source of pearls +n01962506 thin-shelled bivalve having the right valve deeply notched +n01962788 marine bivalve common in Philippine coastal waters characterized by a large thin flat translucent shell +n01963317 marine bivalve mollusk having a heavy toothed shell with a deep boat-like inner surface +n01963479 red-blooded clam +n01963571 marine or freshwater bivalve mollusk that lives attached to rocks etc. +n01964049 marine bivalve mollusk having a dark elongated shell; live attached to solid objects especially in intertidal zones +n01964271 a mussel with a dark shell that lives attached to rocks +n01964441 bivalve mollusk abundant in rivers of central United States +n01964957 the pearly lining of the dark shells is a source of mother-of-pearl +n01965252 mussel with thin fragile shells having only rudimentary hinge teeth +n01965529 inch long mollusk imported accidentally from Europe; clogs utility inlet pipes and feeds on edible freshwater mussels +n01965889 edible marine bivalve having a fluted fan-shaped shell that swim by expelling water from the shell in a series of snapping motions +n01966377 a small scallop inhabiting shallow waters and mud flats of the Atlantic coast of North America +n01966586 a large scallop inhabiting deep waters of the Atlantic coast of North America +n01967094 wormlike marine bivalve that bores into wooden piers and ships by means of drill-like shells +n01967308 typical shipworm +n01967963 marine bivalve that bores into rock or clay or wood by means of saw-like shells +n01968315 marine mollusk characterized by well-developed head and eyes and sucker-bearing tentacles +n01968897 cephalopod of the Indian and Pacific oceans having a spiral shell with pale pearly partitions +n01969726 a cephalopod with eight arms but lacking an internal shell +n01970164 bottom-living cephalopod having a soft oval body with eight long tentacles +n01970667 cephalopod mollusk of warm seas whose females have delicate papery spiral shells +n01971094 cephalopods having eight short tentacles plus two long ones +n01971280 widely distributed fast-moving ten-armed cephalopod mollusk having a long tapered body with triangular tail fins +n01971620 somewhat flattened cylindrical squid +n01971850 extremely active cylindrical squid with short strong arms and large rhombic terminal fins +n01972131 largest mollusk known about but never seen (to 60 feet long) +n01972541 ten-armed oval-bodied cephalopod with narrow fins as long as the body and a large calcareous internal shell +n01973148 a small tropical cephalopod of the genus Spirula having prominent eyes and short arms and a many-chambered shell coiled in a flat spiral +n01974773 any mainly aquatic arthropod usually having a segmented body and chitinous exoskeleton +n01975687 a major subclass of crustaceans +n01976146 crustaceans characteristically having five pairs of locomotor appendages each joined to a segment of the thorax +n01976868 typical crabs +n01976957 decapod having eyes on short stalks and a broad flattened carapace with a small abdomen folded under the thorax and pincers +n01977485 large edible crab of the southern coast of the United States (particularly Florida) +n01978010 edible crab that has not recently molted and so has a hard shell +n01978136 edible crab that has recently molted and not yet formed its new shell +n01978287 small edible crab of Pacific coast of North America +n01978455 crab of eastern coast of North America +n01978587 large red deep-water crab of the eastern coast of North America +n01978930 marine crab with some legs flattened and fringed for swimming +n01979269 crab of the English coasts +n01979526 brightly spotted crab of sandy beaches of the Atlantic coast of the United States +n01979874 bluish edible crab of Atlantic and Gulf Coasts of North America +n01980166 burrowing crab of American coastal regions having one claw much enlarged in the male +n01980655 tiny soft-bodied crab living commensally in the mantles of certain bivalve mollusks +n01981276 large edible crab of northern Pacific waters especially along the coasts of Alaska and Japan +n01981702 any of numerous crabs with very long legs and small triangular bodies +n01982068 a large spider crab of Europe +n01982347 very large deep-water Japanese crab +n01982650 any of several edible marine crustaceans of the families Homaridae and Nephropsidae and Palinuridae +n01983048 large edible marine crustaceans having large pincers on the first pair of legs +n01983481 lobster of Atlantic coast of America +n01983674 lobster of Atlantic coast of Europe +n01983829 small lobster of southern Africa +n01984245 edible European lobster resembling the American lobster but slenderer +n01984695 large edible marine crustacean having a spiny carapace but lacking the large pincers of true lobsters +n01985128 small freshwater decapod crustacean that resembles a lobster +n01985493 small crayfish of Europe and Asia and western North America +n01985797 common large crayfishes of eastern North America +n01986214 small soft-bodied marine crustaceans living in cast-off shells of gastropods +n01986806 small slender-bodied chiefly marine decapod crustaceans with a long tail and single pair of pincers; many species are edible +n01987076 small shrimp that makes a snapping noise with one of their enlarged chelae +n01987545 shrimp-like decapod crustacean having two pairs of pincers; most are edible +n01987727 large (a foot or more) edible freshwater prawn common in Australian rivers +n01988203 edible tropical and warm-water prawn +n01988701 shrimp-like planktonic crustaceans; major source of food for e.g. baleen whales +n01988869 food for jellyfish +n01989516 shrimp-like crustaceans whose females carry eggs and young in a pouch between the legs +n01989869 a kind of crustacean +n01990007 tropical marine burrowing crustaceans with large grasping appendages +n01990516 a kind of mantis shrimp +n01990800 any of various small terrestrial or aquatic crustaceans with seven pairs of legs adapted for crawling +n01991028 any of various small terrestrial isopods having a flat elliptical segmented body; found in damp habitats +n01991520 small terrestrial isopod with a convex segmented body that can roll up into a ball +n01992262 terrestrial isopod having an oval segmented body (a shape like a sow) +n01992423 marine isopod crustacean +n01992773 a kind of malacostracan crustacean +n01993525 small amphipod crustacean having a grotesque form suggestive of the praying mantis; found chiefly on seaweed +n01993830 amphipod crustacean parasitic on cetaceans +n01994910 minute freshwater crustacean having a round body enclosed in a transparent shell; moves about like a flea by means of hairy branched antennae +n01995514 small freshwater branchiopod having a transparent body with many appendages; swims on its back +n01995686 common to saline lakes +n01996280 a kind of branchiopod crustacean +n01996585 minute marine or freshwater crustaceans usually having six pairs of limbs on the thorax; some abundant in plankton and others parasitic on fish +n01997119 minute free-swimming freshwater copepod having a large median eye and pear-shaped body and long antennae used in swimming; important in some food chains and as intermediate hosts of parasitic worms that affect man e.g. Guinea worms +n01997825 tiny marine and freshwater crustaceans with a shrimp-like body enclosed in a bivalve shell +n01998183 marine crustaceans with feathery food-catching appendages; free-swimming as larvae; as adults form a hard shell and live attached to submerged surfaces +n01998741 barnacle that attaches to rocks especially in intertidal zones +n01999186 stalked barnacle that attaches to ship bottoms or floating timbers +n01999767 any of numerous velvety-skinned wormlike carnivorous animals common in tropical forests having characteristics of both arthropods and annelid worms +n02000954 any of many long-legged birds that wade in water in search of food +n02002075 large mostly Old World wading birds typically having white-and-black plumage +n02002556 the common stork of Europe; white with black wing feathers and a red bill +n02002724 Old World stork that is glossy black above and white below +n02003037 large Indian stork with a military gait +n02003204 large African black-and-white carrion-eating stork; its downy underwing feathers are used to trim garments +n02003577 stork with a grooved bill whose upper and lower parts touch only at the base and tip +n02003839 large white stork of warm regions of the world especially America +n02004131 large black-and-white stork of tropical Africa; its red bill has a black band around the middle +n02004492 large mostly white Australian stork +n02004855 an American stork that resembles the true ibises in having a downward-curved bill; inhabits wooded swamps of New World tropics +n02005399 large stork-like bird of the valley of the White Nile with a broad bill suggesting a wooden shoe +n02005790 wading birds of warm regions having long slender down-curved bills +n02006063 any of several Old World birds of the genus Ibis +n02006364 African ibis venerated by ancient Egyptians +n02006656 wading birds having a long flat bill with a tip like a spoon +n02006985 pure white crested spoonbill of southern Eurasia and northeastern Africa +n02007284 tropical rose-colored New World spoonbill +n02007558 large pink to scarlet web-footed wading bird with down-bent bill; inhabits brackish lakes +n02008041 grey or white wading bird with long neck and long legs and (usually) long bill +n02008497 large American heron having bluish-grey plumage +n02008643 large white heron of Florida and the Florida Keys +n02008796 any of various usually white herons having long plumes during breeding season +n02009229 small bluish-grey heron of the western hemisphere +n02009380 small New World egret +n02009508 Old World egret +n02009750 widely distributed Old World white egret +n02009912 a common egret of the genus Egretta found in America; it is a variety of the Old World white egret Casmerodius albus +n02010272 small white egret widely distributed in warm regions often found around grazing animals +n02010453 nocturnal or crepuscular herons +n02010728 night heron of both Old and New Worlds +n02011016 North American night heron +n02011281 tropical American heron related to night herons +n02011460 relatively small compact tawny-brown heron with nocturnal habits and a booming cry; found in marshes +n02011805 a kind of bittern +n02011943 a kind of bittern +n02012185 small American bittern +n02012849 large long-necked wading bird of marshes and plains in many parts of the world +n02013177 rare North American crane having black-and-white plumage and a trumpeting call +n02013567 wading bird of South America and Central America +n02013706 wading bird of Florida, Cuba and Jamaica having a drooping bill and a distinctive wailing call +n02014237 Brazilian Cariama; sole representative of the genus Cariama +n02014524 Argentinian Cariama +n02014941 any of numerous widely distributed small wading birds of the family Rallidae having short wings and very long toes for running on soft mud +n02015357 flightless New Zealand rail of thievish disposition having short wings each with a spur used in fighting +n02015554 any of several short-billed Old World rails +n02015797 common Eurasian rail that frequents grain fields +n02016066 Eurasian rail of swamps and marshes +n02016358 any of various small aquatic birds of the genus Gallinula distinguished from rails by a frontal shield and a resemblance to domestic hens +n02016659 North American dark bluish-grey gallinule +n02016816 black gallinule that inhabits ponds and lakes +n02016956 gallinules with showy purplish plumage +n02017213 purple gallinule of southern Europe +n02017475 American purple gallinule +n02017725 flightless New Zealand birds similar to gallinules +n02018027 slate-black slow-flying birds somewhat resembling ducks +n02018207 a coot found in North America +n02018368 a coot found in Eurasia +n02018795 large heavy-bodied chiefly terrestrial game bird capable of powerful swift flight; classified with wading birds but frequents grassy steppes +n02019190 largest European land bird +n02019438 popular Australian game bird +n02019929 small quail-like terrestrial bird of southern Eurasia and northern Africa that lacks a hind toe; classified with wading birds but inhabits grassy plains +n02020219 a variety of button quail having stripes +n02020578 small Australian bird related to the button quail; classified as wading bird but inhabits plains +n02021050 large gregarious crane-like bird of the forests of South America having glossy black plumage and a loud prolonged cry; easily domesticated +n02021281 trumpeter of Brazil and Guiana; often kept to protect poultry in Brazil +n02021795 a bird that frequents coastal waters and the open ocean: gulls; pelicans; gannets; cormorants; albatrosses; petrels; etc. +n02022684 any of numerous wading birds that frequent mostly seashores and estuaries +n02023341 any of numerous chiefly shorebirds of relatively compact build having straight bills and large pointed wings; closely related to the sandpipers +n02023855 small plover of eastern North America +n02023992 American plover of inland waters and fields having a distinctive cry +n02024185 rare plover of upland areas of Eurasia +n02024479 plovers of Europe and America having the backs marked with golden-yellow spots +n02024763 large crested Old World plover having wattles and spurs +n02025043 migratory shorebirds of the plover family that turn over stones in searching for food +n02025239 common Arctic turnstone that winters in South America and Australia +n02025389 common turnstone of the Pacific coast of North America +n02026059 any of numerous usually small wading birds having a slender bill and piping call; closely related to the plovers +n02026629 sandpiper-like shorebird of Pacific coasts of North America and South America +n02026948 a variety of sandpiper +n02027075 common North American sandpiper +n02027357 smallest American sandpiper +n02027492 small common sandpiper that breeds in northern or Arctic regions and winters in southern United States or Mediterranean regions +n02027897 large European sandpiper with greenish legs +n02028035 a common Old World wading bird with long red legs +n02028175 either of two North American shorebird with yellow legs +n02028342 a variety of yellowlegs +n02028451 a variety of yellowlegs +n02028727 American sandpiper that inflates its chest when courting +n02028900 a sandpiper that breeds in the Arctic and winters in the southern hemisphere +n02029087 Old World sandpiper with a curved bill like a curlew +n02029378 small sandpiper that breeds in the Arctic and migrates southward along sandy coasts in most of world +n02029706 large plover-like sandpiper of North American fields and uplands +n02030035 common Eurasian sandpiper; the male has an erectile neck ruff in breeding season +n02030224 female ruff +n02030287 any of several long-legged shorebirds having a loud whistling cry +n02030568 tattler of Pacific coastal regions +n02030837 large North American shorebird of eastern and Gulf Coasts +n02030996 game bird of the sandpiper family that resembles a snipe +n02031298 short-legged long-billed migratory Old World woodcock +n02031585 small long-billed woodcock; prized as a game bird +n02031934 Old or New World straight-billed game bird of the sandpiper family; of marshy areas; similar to the woodcocks +n02032222 common snipe of Eurasia and Africa +n02032355 American snipe +n02032480 Old World snipe larger and darker than the whole snipe +n02032769 a small short-billed Old World snipe +n02033041 shorebird of the sandpiper family that resembles a snipe +n02033208 a dowitcher with a grey back +n02033324 a dowitcher with a red breast +n02033561 large migratory shorebirds of the sandpiper family; closely related to woodcocks but having a down-curved bill +n02033779 common Eurasian curlew +n02033882 New World curlew that breeds in northern North America +n02034129 large wading bird that resembles a curlew; has a long slightly upturned bill +n02034295 New World godwit +n02034661 long-legged three-toed black-and-white wading bird of inland ponds and marshes or brackish lagoons +n02034971 stilt of southwestern United States to northern South America having black plumage extending from the head down the back of the neck +n02035210 stilt of Europe and Africa and Asia having mostly white plumage but with black wings +n02035402 stilt of the southwest Pacific including Australia and New Zealand having mostly white plumage but with black wings and nape of neck +n02035656 blackish stilt of New Zealand sometimes considered a color phase of the white-headed stilt +n02036053 long-legged three-toed wading bird of brackish marshes of Australia +n02036228 web-footed Australian stilt with reddish-brown pectoral markings +n02036711 long-legged web-footed black-and-white shorebird with slender upward-curving bill +n02037110 black-and-white shorebird with stout legs and bill; feed on oysters etc. +n02037464 small sandpiper-like shorebird having lobate toes and being good swimmers; breed in the Arctic and winter in the tropics +n02037869 phalarope of northern oceans and lakes +n02038141 breeds in Arctic regions of Old and New Worlds; large flocks often seen far out at sea +n02038466 breeds on the northern great plains of Canada +n02038993 Old World shorebird with long pointed wings and short legs; closely related to the coursers +n02039171 swift-footed terrestrial plover-like bird of southern Asia and Africa; related to the pratincoles +n02039497 courser of desert and semidesert regions of the Old World +n02039780 African courser that feeds on insect parasites on crocodiles +n02040266 large-headed large-eyed crepuscular or nocturnal shorebird of the Old World and tropical America having a thickened knee joint +n02040505 gull family; skimmer family; jaeger family; auk family +n02041085 long-winged web-footed aquatic bird of the gull family +n02041246 mostly white aquatic bird having long pointed wings and short legs +n02041678 the common gull of Eurasia and northeastern North America +n02041875 white gull having a black back and wings +n02042046 large gull of the northern hemisphere +n02042180 small black-headed European gull +n02042472 white Arctic gull; migrates as far south as England and New Brunswick +n02042759 small pearl-grey gull of northern regions; nests on cliffs and has a rudimentary hind toe +n02043063 small slender gull having narrow wings and a forked tail +n02043333 common tern of Eurasia and America having white black and grey plumage +n02043808 gull-like seabird that flies along the surface of the water with an elongated lower mandible immersed to skim out food +n02044178 rapacious seabird that pursues weaker birds to make them drop their prey +n02044517 a variety of jaeger +n02044778 gull-like jaeger of northern seas +n02044908 large brown skua of the northern Atlantic +n02045369 black-and-white short-necked web-footed diving bird of northern seas +n02045596 any of several small auks of the northern Pacific coasts +n02045864 black-and-white northern Atlantic auk having a compressed sharp-edged bill +n02046171 small short-billed auk abundant in Arctic regions +n02046759 small black or brown speckled auks of northern seas +n02046939 northern Atlantic guillemot +n02047045 northern Pacific guillemot +n02047260 black-and-white diving bird of northern seas +n02047411 the most frequent variety of murre +n02047517 a variety of murre +n02047614 any of two genera of northern seabirds having short necks and brightly colored compressed bills +n02047975 common puffin of the northern Atlantic +n02048115 northern Pacific puffin +n02048353 northern Pacific puffin having a large yellow plume over each eye +n02048698 seabirds of the order Gaviiformes +n02049088 large somewhat primitive fish-eating diving bird of the northern hemisphere having webbed feet placed far back; related to the grebes +n02049532 aquatic birds related to the loons +n02050004 small compact-bodied almost completely aquatic bird that builds floating nests; similar to loons but smaller and with lobate rather than webbed feet +n02050313 large Old World grebe with black ear tufts +n02050442 large stocky grebe of circumpolar regions having a dark neck +n02050586 small grebe with yellow ear tufts and a black neck; found in Eurasia and southern Africa as well as western United States +n02050809 small European grebe +n02051059 American grebe having a black-banded whitish bill +n02051474 large fish-eating seabird with four-toed webbed feet +n02051845 large long-winged warm-water seabird having a large bill with a distensible pouch for fish +n02052204 large American pelican; white with black wing feathers +n02052365 similar to American white pelican +n02052775 long-billed warm-water seabird with wide wingspan and forked tail +n02053083 large heavily built seabird with a long stout bill noted for its plunging dives for fish +n02053425 very large white gannet with black wing tips +n02053584 small tropical gannet having a bright bill or bright feet or both +n02054036 large voracious dark-colored long-necked seabird with a distensible pouch for holding fish; used in Asia to catch fish +n02054502 fish-eating bird of warm inland waters having a long flexible neck and slender sharp-pointed bill +n02054711 blackish New World snakebird of swampy regions +n02055107 mostly white web-footed tropical seabird often found far from land +n02055658 flightless cold-water seabirds: penguins +n02055803 short-legged flightless birds of cold southern especially Antarctic regions having webbed feet and wings modified as flippers +n02056228 medium-sized penguins occurring in large colonies on the Adelie Coast of Antarctica +n02056570 large penguin on islands bordering the Antarctic Circle +n02056728 the largest penguin; an Antarctic penguin +n02057035 small penguin of South America and southern Africa with a braying call +n02057330 small penguin of the Falkland Islands and New Zealand +n02057731 bird of the open seas +n02057898 large long-winged bird with hooked bill and tubular nostrils that wanders the open seas +n02058221 large web-footed birds of the southern hemisphere having long narrow wings; noted for powerful gliding flight +n02058594 very large albatross; white with wide black wings +n02058747 a variety of albatross with black feet +n02059162 relatively small long-winged tube-nosed bird that flies far from land +n02059541 large black petrel of southern seas having a white mark on the chin +n02059852 large brownish petrel chiefly of Antarctic seas +n02060133 heavy short-tailed oceanic bird of polar regions +n02060411 long-winged oceanic bird that in flight skims close to the waves +n02060569 small black-and-white shearwater common in the northeastern Atlantic +n02060889 any of various small petrels having dark plumage with paler underparts +n02061217 sooty black petrel with white markings; of the northern Atlantic and Mediterranean +n02061560 medium-sized storm petrel +n02061853 any of several small diving birds of southern hemisphere seas; somewhat resemble auks +n02062017 whales and dolphins; manatees and dugongs; walruses; seals +n02062430 large aquatic carnivorous mammal with fin-like forelimbs no hind limbs, including: whales; dolphins; porpoises; narwhals +n02062744 any of the larger cetacean mammals having a streamlined body and breathing through a blowhole on the head +n02063224 whale with plates of whalebone along the upper jaw for filtering plankton from the water +n02063662 large Arctic whalebone whale; allegedly the `right' whale to hunt because of its valuable whalebone and oil +n02064000 large-mouthed Arctic whale +n02064338 any of several baleen whales of the family Balaenopteridae having longitudinal grooves on the throat and a small pointed dorsal fin +n02064816 largest mammal ever known; bluish-grey migratory whalebone whale mostly of southern hemisphere +n02065026 large flat-headed whalebone whale having deep furrows along the throat; of Atlantic and Pacific +n02065263 similar to but smaller than the finback whale +n02065407 small finback of coastal waters of Atlantic and Pacific +n02065726 large whalebone whale with long flippers noted for arching or humping its back as it dives +n02066245 medium-sized greyish-black whale of the northern Pacific +n02066707 any of several whales having simple conical teeth and feeding on fish etc. +n02067240 large whale with a large cavity in the head containing spermaceti and oil; also a source of ambergris +n02067603 small sperm whale of warm waters of both coasts of North America +n02067768 very small (to 8 feet) sperm whale of central coasts of Atlantic and Pacific +n02068206 any of several whales inhabiting all oceans and having beaklike jaws with vestigial teeth in the upper jaw +n02068541 northern Atlantic beaked whale with a bulbous forehead +n02068974 any of various small toothed whales with a beaklike snout; larger than porpoises +n02069412 black-and-white dolphin that leaps high out of the water +n02069701 any of several dolphins with rounded forehead and well-developed beak; chiefly of northern Atlantic and Mediterranean +n02069974 the most common dolphin of northern Atlantic and Mediterranean; often kept captive and trained to perform +n02070174 a bottlenose dolphin found in the Pacific Ocean +n02070430 any of several small gregarious cetacean mammals having a blunt snout and many teeth +n02070624 the common porpoise of the northern Atlantic and Pacific +n02070776 a short porpoise that lives in the Gulf of California; an endangered species +n02071028 slaty-grey blunt-nosed dolphin common in northern seas +n02071294 predatory black-and-white toothed whale with large dorsal fin; common in cold seas +n02071636 small dark-colored whale of the Atlantic coast of the United States; the largest male acts as pilot or leader for the school +n02072040 any of several long-snouted usually freshwater dolphins of South America and southern Asia +n02072493 small Arctic whale the male having a long spiral ivory tusk +n02072798 small northern whale that is white when adult +n02073250 any of two families of large herbivorous aquatic mammals with paddle-shaped tails and flipper-like forelimbs and no hind limbs +n02073831 sirenian mammal of tropical coastal waters of America; the flat tail is rounded +n02074367 sirenian tusked mammal found from eastern Africa to Australia; the flat tail is bilobate +n02074726 extinct large sirenian mammal formerly found near the Asiatic coast of the Bering Sea +n02075296 a terrestrial or aquatic flesh-eating mammal +n02075612 an animal that feeds on both animal and vegetable substances +n02075927 aquatic carnivorous mammal having a streamlined body specialized for swimming with limbs modified as flippers +n02076196 any of numerous marine mammals that come on shore to breed; chiefly of cold regions +n02076402 silvery grey Antarctic seal subsisting on crustaceans +n02076779 pinniped mammal having external ear flaps and hind limbs used for locomotion on land; valued for its soft underfur +n02077152 eared seal of the southern hemisphere; the thick soft underfur is the source of sealskin +n02077384 a fur seal of the Pacific coast of California and southward +n02077658 an eared seal of the northern Pacific +n02077787 of Pacific coast from Alaska southward to California +n02077923 any of several large eared seals of the northern Pacific related to fur seals but lacking their valuable coat +n02078292 of the southern coast of South America +n02078574 often trained as a show animal +n02078738 a variety of sea lion found in Australia +n02079005 largest sea lion; of the northern Pacific +n02079389 any of several seals lacking external ear flaps and having a stiff hairlike coat with hind limbs reduced to swimming flippers +n02079851 small spotted seal of coastal waters of the northern hemisphere +n02080146 common Arctic seal; the young are all white +n02080415 either of two large northern Atlantic earless seals having snouts like trunks +n02080713 medium-sized greyish to yellow seal with bristles each side of muzzle; of the Arctic Ocean +n02081060 medium-sized blackish-grey seal with large inflatable sac on the head; of Arctic and northern Atlantic waters +n02081571 either of two large northern marine mammals having ivory tusks and tough hide over thick blubber +n02081798 a walrus of northern Atlantic and Arctic waters +n02081927 a walrus of the Bering Sea and northern Pacific +n02082056 in some classifications considered a suborder of Carnivora +n02082190 terrestrial carnivores; having toes separated to the base: dogs; cats; bears; badgers; raccoons +n02082791 nocturnal burrowing mammal of the grasslands of Africa that feeds on termites; sole extant representative of the order Tubulidentata +n02083346 any of various fissiped mammals with nonretractile claws and typically long muzzles +n02083672 female of any member of the dog family +n02083780 a bitch used for breeding +n02084071 a member of the genus Canis (probably descended from the common wolf) that has been domesticated by man since prehistoric times; occurs in many breeds +n02084732 informal terms for dogs +n02084861 an inferior dog or one of mixed breed +n02085019 a nervous belligerent little mongrel dog +n02085118 ownerless half-wild mongrel dog common around Asian villages especially India +n02085272 a dog small and tame enough to be held in the lap +n02085374 any of several breeds of very small dogs kept purely as pets +n02085620 an old breed of tiny short-haired dog with protruding eyes from Mexico held to antedate Aztec civilization +n02085782 breed of toy dogs originating in Japan having a silky black-and-white or red-and-white coat +n02085936 breed of toy dogs having a long straight silky white coat +n02086079 a Chinese breed of small short-legged dogs with a long silky coat and broad flat muzzle +n02086240 a Chinese breed of small dog similar to a Pekingese +n02086346 a very small spaniel +n02086478 British breed having a long silky coat and rounded head with a short upturned muzzle +n02086646 red-and-white variety of English toy spaniel +n02086753 a toy English spaniel with a black-and-tan coat; named after Charles II who popularized it +n02086910 small slender toy spaniel with erect ears and a black-spotted brown to white coat +n02087046 a small active dog +n02087122 a dog used in hunting game +n02087314 a dog trained for coursing +n02087394 a powerful short-haired African hunting dog having a crest of reversed hair along the spine +n02087551 any of several breeds of dog used for hunting typically having large drooping ears +n02088094 tall graceful breed of hound with a long silky coat; native to the Near East +n02088238 smooth-haired breed of hound with short legs and long ears +n02088364 a small short-legged smooth-coated breed of hound +n02088466 a breed of large powerful hound of European origin having very acute smell and used in tracking +n02088632 a very fast American hound; white mottled with bluish grey +n02088745 large hound used in hunting wild boars +n02088839 any of several breeds of hound developed for hunting raccoons +n02088992 any dog trained to hunt raccoons +n02089078 American breed of large powerful hound dogs used for hunting raccoons and other game +n02089232 small long-bodied short-legged German breed of dog having a short sleek coat and long drooping ears; suited for following game into burrows +n02089468 informal term +n02089555 medium-sized glossy-coated hounds developed for hunting foxes +n02089725 an American breed of foxhounds used for hunting both in packs and individually +n02089867 an American breed of foxhound +n02089973 an English breed slightly larger than the American foxhounds originally used to hunt in packs +n02090129 a hound that resembles a foxhound but is smaller; used to hunt rabbits +n02090253 a brindle-coated American hound used in hunting bears and wild boars +n02090379 a speedy red or red-and-tan American hound +n02090475 the largest breed of dogs; formerly used to hunt wolves +n02090622 tall fast-moving dog breed +n02090721 large breed of hound with a rough thick coat +n02090827 a tall slender dog of an ancient breed noted for swiftness and keen sight; used as a racing dog +n02091032 a toy dog developed from the greyhound +n02091134 small slender dog of greyhound type developed in England +n02091244 breed of slender agile medium-sized hound found chiefly in the Balearic Islands; said to have been bred originally by the Pharaohs of ancient Egypt +n02091467 breed of compact medium-sized dog with a heavy grey coat developed in Norway for hunting elk +n02091635 hardy British hound having long pendulous ears and a thick coarse shaggy coat with an oily undercoat; bred for hunting otters +n02091831 old breed of tall swift keen-eyed hunting dogs resembling greyhounds; from Egypt and southwestern Asia +n02092002 very large and tall rough-coated dog bred for hunting deer; known as the royal dog of Scotland +n02092173 a large heavy hound formerly used in hunting stags and other large game; similar to but larger than a foxhound +n02092339 large breed of hound having a smooth greyish coat; originated in Germany +n02092468 any of several usually small short-bodied breeds originally trained to hunt animals living underground +n02093056 a powerful short-haired terrier originated in England by crossing the bulldog with terriers +n02093256 English breed of strong stocky dog having a broad skull and smooth coat +n02093428 American breed of muscular terriers with a short close-lying stiff coat +n02093647 a light terrier groomed to resemble a lamb +n02093754 small rough-coated terrier of British origin +n02093859 an Irish breed of medium-sized terriers with a silky blue-grey coat +n02093991 medium-sized breed with a wiry brown coat; developed in Ireland +n02094114 English breed of small terrier with a straight wiry grizzled coat and dropped ears +n02094258 English breed of small short-legged terrier with a straight wiry red or grey or black-and-tan coat and erect ears +n02094433 very small breed having a long glossy coat of bluish-grey and tan +n02094562 any of several breeds of terrier developed to catch rats +n02094721 a breed of short-haired rat terrier with a black-and-tan coat that was developed in Manchester, England +n02094931 breed of small Manchester terrier +n02095050 small lively black-and-white terriers formerly used to dig out foxes +n02095212 a fox terrier with smooth hair +n02095314 a fox terrier with wiry hair +n02095412 a terrier with wiry hair +n02095570 breed of wire-haired terrier originally from the Lake District of England and used for hunting +n02095727 wire-haired terrier resembling Airedales but smaller; developed in Wales for hunting +n02095889 a wire-haired terrier with short legs that was first bred in Sealyham +n02096051 breed of large wiry-coated terrier bred in Yorkshire +n02096177 small rough-haired breed of terrier from Scotland +n02096294 small greyish wire-haired breed of terrier from Australia similar to the cairn +n02096437 a breed of small terrier with long wiry coat and drooping ears +n02096585 small pug-faced American terrier breed having a smooth brindle or black coat with white markings +n02096756 old German breed of sturdy black or greyish wire-haired terriers having a blunt muzzle ranging in size from fairly small to very large; used as ratters and guard dogs or police dogs +n02097047 a small schnauzer +n02097130 a large schnauzer +n02097209 a medium-sized schnauzer +n02097298 old Scottish breed of small long-haired usually black terrier with erect tail and ears +n02097474 breed of medium-sized terriers bred in Tibet resembling Old English sheepdogs with fluffy curled tails +n02097658 Australian breed of toy dogs having a silky blue coat +n02097786 Scottish breed of terrier with shaggy hair and long low body with short legs; native to the Isle of Skye +n02097967 selectively bred small Skye terrier with erect ears and a long silky coat +n02098105 Irish breed of medium-sized terrier with an abundant coat any shade of wheat and very hairy head and muzzle +n02098286 small white long-coated terrier developed in Scotland +n02098413 a breed of terrier having a long heavy coat raised in Tibet as watchdogs +n02098550 a dog trained to work with sportsmen when they hunt with guns +n02098806 a gun dog trained to locate or retrieve birds +n02098906 a dog accustomed to water and usually trained to retrieve waterfowl +n02099029 a dog with heavy water-resistant coat that can be trained to retrieve game +n02099267 an English breed having a shiny black or liver-colored coat; retrieves game from land or water +n02099429 an English breed having a tightly curled black or liver-colored coat; retrieves game from land or water +n02099601 an English breed having a long silky golden coat +n02099712 breed originally from Labrador having a short black or golden-brown coat +n02099849 American breed having a short thick oily coat ranging from brown to light tan +n02099997 a strong slender smooth-haired dog of Spanish origin having a white coat with brown or black patches; scents out and points to game +n02100236 liver or liver-and-white hunting dog developed in Germany; 3/4 pointer and 1/4 bloodhound +n02100399 a long-haired dog formerly trained to crouch on finding game but now to point +n02100583 Hungarian hunting dog resembling the Weimaraner but having a rich deep red coat +n02100735 an English breed having a plumed tail and a soft silky coat that is chiefly white +n02100877 an Irish breed with a chestnut-brown or mahogany-red coat +n02101006 a Scottish breed with a black-and-tan coat +n02101108 any of several breeds of small to medium-sized gun dogs with a long silky coat and long frilled ears +n02101388 tall active short-tailed French breed of bird dog having a usually smooth orange- or liver-and-white coat +n02101556 a thickset spaniel with longish silky hair +n02101670 large usually black hunting and retrieving spaniel with a dense flat or slightly wavy coat; cross between cocker and Sussex spaniel +n02101861 a large spaniel with wavy silky coat usually black or liver and white +n02102040 a breed having typically a black-and-white coat +n02102177 a red-and-white breed slightly smaller than the English springer spaniel +n02102318 a small breed with wavy silky hair; originally developed in England +n02102480 an English breed with short legs and a golden liver-colored coat +n02102605 any dog of two large curly-coated breeds used for hunting waterfowl +n02102806 breed of medium-sized spaniels originating in America having chocolate or liver-colored curly coat +n02102973 breed of large spaniels developed in Ireland having a heavy coat of liver-colored curls and a topknot of long curls and a nearly hairless tail +n02103181 breed of medium-sized long-headed dogs with downy undercoat and harsh wiry outer coat; originated in Holland but largely developed in France +n02103406 any of several breeds of usually large powerful dogs bred to work as draft animals and guard and guide dogs +n02103841 a dog trained to guard property +n02104029 long-established Hungarian breed of tall light-footed but sturdy white dog; used also as a hunting dog +n02104184 a watchdog trained to attack on command +n02104280 a dog trained to guard a house +n02104365 breed of small stocky black dogs originally used as watchdogs on boats in the Netherlands and Belgium +n02104523 any of various usually long-haired breeds of dog reared to herd and guard sheep +n02104882 hardy working dog developed in Belgium for herding sheep +n02105056 black-coated sheepdog with a heavily plumed tail +n02105162 fawn-colored short-haired sheepdog +n02105251 old French breed of large strong usually black dogs having a long tail and long wavy and slightly stiff coat +n02105412 an Australian sheepdog with pointed ears +n02105505 Hungarian breed of large powerful shaggy-coated white dog; used also as guard dog +n02105641 large sheepdog with a profuse shaggy bluish-grey-and-white coat and short tail; believed to trace back to the Roman occupation of Britain +n02105855 a small sheepdog resembling a collie that was developed in the Shetland Islands +n02106030 a silky-coated sheepdog with a long ruff and long narrow head developed in Scotland +n02106166 developed in the area between Scotland and England usually having a black coat with white on the head and tip of tail used for herding both sheep and cattle +n02106382 rough-coated breed used originally in Belgium for herding and guarding cattle +n02106550 German breed of large vigorous short-haired cattle dogs +n02106662 breed of large shepherd dogs used in police work and as a guide for the blind +n02106854 any dog trained to assist police especially in tracking +n02106966 any of three breeds of dogs whose ears and tail are usually cropped +n02107142 medium large breed of dog of German origin with a glossy black and tan coat; used as a watchdog +n02107312 small German version of a Doberman pinscher +n02107420 any of four Swiss breeds +n02107574 the largest of the four Swiss breeds +n02107683 large powerful long-haired black-coated Swiss dog with deep tan or russet markings on legs and white blaze and feet and chest marking; formerly used for draft +n02107908 a smaller of the four Swiss breeds +n02108000 the smallest of the Sennenhunde +n02108089 a breed of stocky medium-sized short-haired dog with a brindled coat and square-jawed muzzle developed in Germany +n02108254 an old breed of powerful deep-chested smooth-coated dog used chiefly as a watchdog and guard dog +n02108422 large powerful breed developed by crossing the bulldog and the mastiff +n02108551 very large powerful rough-coated dog native to central Asia +n02108672 a sturdy thickset short-haired breed with a large head and strong undershot lower jaw; developed originally in England for bull baiting +n02108915 small stocky version of the bulldog having a sleek coat and square head +n02109047 very large powerful smooth-coated breed of dog +n02109150 a dog trained to guide the blind +n02109256 (trademark) a guide dog trained to guide a blind person +n02109391 dog trained to assist the deaf by signaling the occurrence of certain sounds +n02109525 a Swiss alpine breed of large powerful dog with a thick coat of hair used as a rescue dog +n02109687 a dog that can alert or assist people with seizure disorders +n02109811 a dog trained to draw a sled usually in a team +n02109961 breed of heavy-coated Arctic sled dog +n02110063 breed of sled dog developed in Alaska +n02110185 breed of sled dog developed in northeastern Siberia; they resemble the larger Alaskan malamutes +n02110341 a large breed having a smooth white coat with black or brown spots; originated in Dalmatia +n02110532 a brown-spotted dalmatian +n02110627 European breed of small dog resembling a terrier with dark wiry hair and a tufted muzzle +n02110806 small smooth-haired breed of African origin having a tightly curled tail and the inability to bark +n02110958 small compact smooth-coated breed of Asiatic origin having a tightly curled tail and broad flat wrinkled muzzle +n02111129 a large dog (usually with a golden coat) produced by crossing a St Bernard and a Newfoundland +n02111277 a breed of very large heavy dogs with a thick coarse usually black coat; highly intelligent dogs and vigorous swimmers; developed in Newfoundland +n02111500 bred of large heavy-coated white dogs resembling the Newfoundland +n02111626 any of various stocky heavy-coated breeds of dogs native to northern regions having pointed muzzles and erect ears with a curled furry tail +n02111889 Siberian breed of white or cream-colored dog of the spitz family +n02112018 breed of very small compact long-haired dogs of the spitz type +n02112137 breed of medium-sized dogs with a thick coat and fluffy curled tails and distinctive blue-black tongues; believed to have originated in northern China +n02112350 a spitz-like dog having a shaggy greyish coat and tightly curled tail originating in Holland +n02112497 breed of various very small compact wiry-coated dogs of Belgian origin having a short bearded muzzle +n02112706 a variety of Brussels griffon having a short smooth coat +n02112826 either of two Welsh breeds of long-bodied short-legged dogs with erect ears and a fox-like head +n02113023 the smaller and straight-legged variety of corgi having pointed ears and a short tail +n02113186 slightly bowlegged variety of corgi having rounded ears and a long tail +n02113335 an intelligent dog with a heavy curly solid-colored coat that is usually clipped; an old breed sometimes trained as sporting dogs or as performing dogs +n02113624 the breed of very small poodles +n02113712 a breed of small poodles +n02113799 a breed or medium-sized poodles +n02113892 the largest breed of poodle +n02113978 any of an old breed of small nearly hairless dogs of Mexico +n02114100 any of various predatory carnivorous canine mammals of North America and Eurasia that usually hunt in packs +n02114367 a wolf with a brindled grey coat living in forested northern regions of North America +n02114548 wolf of Arctic North America having white fur and a black-tipped tail +n02114712 reddish-grey wolf of southwestern North America +n02114855 small wolf native to western North America +n02115012 offspring of a coyote and a dog +n02115096 Old World nocturnal canine mammal closely related to the dog; smaller than a wolf; sometimes hunts in a pack but usually singly or as a member of a pair +n02115335 any of various undomesticated mammals of the family Canidae that are thought to resemble domestic dogs as distinguished from jackals or wolves +n02115641 wolflike yellowish-brown wild dog of Australia +n02115913 fierce wild dog of the forests of central and southeast Asia that hunts in packs +n02116185 wild dog of northern South America +n02116450 small wild dog of eastern Asia having facial markings like those of a raccoon +n02116738 a powerful doglike mammal of southern and eastern Africa that hunts in large packs; now rare in settled area +n02117135 doglike nocturnal mammal of Africa and southern Asia that feeds chiefly on carrion +n02117512 of northern Africa and Arabia and India +n02117646 of southern Africa +n02117900 African hyena noted for its distinctive howl +n02118176 striped hyena of southeast Africa that feeds chiefly on insects +n02118333 alert carnivorous mammal with pointed muzzle and ears and a bushy tail; most are predators that do not hunt in packs +n02118643 a female fox +n02118707 a conventional name for a fox used in tales following usage in the old epic `Reynard the Fox' +n02119022 the common Old World fox; having reddish-brown fur; commonly considered a single circumpolar species +n02119247 red fox in the color phase when its pelt is mostly black +n02119359 red fox in the color phase when its pelt is tipped with white +n02119477 New World fox; often considered the same species as the Old World fox +n02119634 small grey fox of the plains of western North America +n02119789 small grey fox of southwestern United States; may be a subspecies of Vulpes velox +n02120079 thickly-furred fox of Arctic regions; brownish in summer and white in winter +n02120278 a variety of Arctic fox having a pale grey winter coat +n02120505 dark grey American fox; from Central America through southern United States +n02120997 any of various lithe-bodied roundheaded fissiped mammals, many with retractile claws +n02121620 feline mammal usually having thick soft fur and no ability to roar: domestic cats; wildcats +n02121808 any domesticated member of the genus Felis +n02122298 informal terms referring to a domestic cat +n02122430 a cat proficient at mousing +n02122510 a homeless cat +n02122580 an animal that has strayed (especially a domestic animal) +n02122725 male cat +n02122810 a castrated tomcat +n02122878 female cat +n02122948 young domestic cat +n02123045 a cat with a grey or tawny coat mottled with black +n02123159 a cat having a striped coat +n02123242 a cat having black and cream-colored and yellowish markings +n02123394 a long-haired breed of cat +n02123478 a long-haired breed of cat similar to the Persian cat +n02123597 a slender short-haired blue-eyed breed of cat having a pale coat with dark ears paws face and tail tip +n02123785 Siamese cat having a bluish cream-colored body and dark grey points +n02123917 a short-haired breed with body similar to the Siamese cat but having a solid dark brown or grey coat +n02124075 a domestic cat of Egypt +n02124157 a term applied indiscriminately in the United States to any short-haired bluish-grey cat +n02124313 a small slender short-haired breed of African origin having brownish fur with a reddish undercoat +n02124484 a short-haired tailless breed of cat believed to originate on the Isle of Man +n02124623 any small or medium-sized cat resembling the domestic cat and living in the wild +n02125010 a desert wildcat +n02125081 bushy-tailed wildcat of Europe that resembles the domestic cat and is regarded as the ancestor of the domestic cat +n02125311 large American feline resembling a lion +n02125494 nocturnal wildcat of Central America and South America having a dark-spotted buff-brown coat +n02125689 long-bodied long-tailed tropical American wildcat +n02125872 widely distributed wildcat of Africa and Asia Minor +n02126028 small Asiatic wildcat +n02126139 slender long-legged African wildcat having large untufted ears and tawny black-spotted coat +n02126317 small spotted wildcat of southern Asia and Malaysia +n02126640 small spotted wildcat found from Texas to Brazil +n02126787 small wildcat of the mountains of Siberia and Tibet and Mongolia +n02127052 short-tailed wildcats with usually tufted ears; valued for their fur +n02127292 of northern Eurasia +n02127381 of northern North America +n02127482 small lynx of North America +n02127586 of southern Europe +n02127678 of deserts of northern Africa and southern Asia +n02127808 any of several large cats typically able to roar and living in the wild +n02128385 large feline of African and Asian forests usually having a tawny coat with black spots +n02128598 female leopard +n02128669 a leopard in the black color phase +n02128757 large feline of upland central Asia having long thick whitish fur +n02128925 a large spotted feline of tropical America similar to the leopard; in some classifications considered a member of the genus Felis +n02129165 large gregarious predatory feline of Africa and India having a tawny coat with a shaggy mane in the male +n02129463 a female lion +n02129530 a small or young lion +n02129604 large feline of forests in most of Asia having a tawny coat with black stripes; endangered +n02129837 southern short-haired tiger +n02129923 a female tiger +n02129991 offspring of a male lion and a female tiger +n02130086 offspring of a male tiger and a female lion +n02130308 long-legged spotted cat of Africa and southwestern Asia having nonretractile claws; the swiftest mammal; can be trained to run down game +n02130545 any of many extinct cats of the Old and New Worlds having long swordlike upper canine teeth; from the Oligocene through the Pleistocene +n02130925 North American sabertooth; culmination of sabertooth development +n02131653 massive plantigrade carnivorous or omnivorous mammals with long shaggy coats and strong claws +n02132136 large ferocious bear of Eurasia +n02132320 a conventional name for a bear used in tales following usage in the old epic `Reynard the Fox' +n02132466 yellowish-grey Syrian brown bear +n02132580 powerful brownish-yellow bear of the uplands of western North America +n02132788 brown bear of coastal Alaska and British Columbia +n02133161 brown to black North American bear; smaller and less ferocious than the brown bear +n02133400 reddish-brown color phase of the American black bear +n02133704 bear with a black coat living in central and eastern Asia +n02134084 white bear of Arctic regions +n02134418 common coarse-haired long-snouted bear of south-central Asia +n02134971 small cat-like predatory mammals of warmer parts of the Old World +n02135220 cat-like mammal typically secreting musk used in perfumes +n02135610 common civet of India and southeast Asia +n02135844 a common civet of southeast Asia +n02136103 arboreal civet of Asia having a long prehensile tail and shaggy black hair +n02136285 large primitive cat-like carnivores inhabiting forests of Madagascar +n02136452 largest carnivore of Madagascar; intermediate in some respects between cats and civets +n02136794 civet of Madagascar +n02137015 agile Old World viverrine having a spotted coat and long ringed tail +n02137302 an East Indian civet +n02137549 agile grizzled Old World viverrine; preys on snakes and rodents +n02137722 keen-sighted viverrine of southern Asia about the size of a ferret; often domesticated +n02137888 northern African mongoose; in ancient times thought to devour crocodile eggs +n02138169 spotted or striped arboreal civet of southeast Asia and East Indies +n02138441 a mongoose-like viverrine of South Africa having a face like a lemur and only four toes +n02138647 a meerkat with a thin and elongated tail +n02138777 burrowing diurnal meerkat of southern Africa; often kept as a pet +n02139199 nocturnal mouselike mammal with forelimbs modified to form membranous wings and anatomical adaptations for echolocation by which they navigate +n02139671 large Old World bat of warm and tropical regions that feeds on fruit +n02140049 large bat with a head that resembles the head of a fox +n02140179 a variety of fruit bat +n02140268 a variety of fruit bat +n02140491 any of various fruit bats of the genus Nyctimene distinguished by nostrils drawn out into diverging tubes +n02140858 a variety of fruit eating bat +n02141306 typically having large ears and feeding primarily on insects; worldwide in distribution +n02141611 a carnivorous bat with ears like a mouse +n02141713 bat having a leaflike flap at the end of the nose; especially of the families Phyllostomatidae and Rhinolophidae and Hipposideridae +n02142407 large-eared greyish bat of southern California and northwestern Mexico +n02142734 New World bat with a pointed nose leaf; found from southern United States to Paraguay +n02142898 a variety of leaf-nosed bat +n02143142 small-eared Mexican bat with a long slender nose +n02143439 a bat of the family Rhinolophidae having a horseshoe-shaped leaf on the nose +n02143891 any of numerous bats of the family Hipposideridae of northwest Africa or Philippines or Australia having a horseshoe-shaped leaf on the nose +n02144251 a common bat of northwestern Australia having orange or yellow fur +n02144593 any New or Old World carnivorous bat erroneously thought to suck blood but in fact feeding on insects +n02144936 large carnivorous Old World bat with very large ears +n02145424 a variety of carnivorous bat +n02145910 common Eurasian bat with white-tipped hairs in its coat +n02146201 North American bat of a brick or rusty red color with hairs tipped with white +n02146371 any of numerous medium to small insectivorous bats found worldwide in caves and trees and buildings +n02146700 the small common North American bat; widely distributed +n02146879 small bat of southwest United States that lives in caves etc. +n02147173 rather large North American brown bat; widely distributed +n02147328 common brown bat of Europe +n02147591 drab yellowish big-eared bat that lives in caves +n02147947 small European brown bat +n02148088 one of the smallest bats of eastern North America +n02148512 a large bat of the southwestern United States having spots and enormous ears +n02148835 any of various Old or New World bats having very long ears +n02148991 bat of western North America having extremely large ears +n02149420 small swift insectivorous bat with leathery ears and a long tail; common in warm regions +n02149653 the common freetail bat of southern United States having short velvety fur; migrates southward for winter +n02149861 small brown bat of California and northern Mexico +n02150134 a soft-furred chocolate-brown bat with folded ears and small wings; often runs along the ground +n02150482 any of various tropical American bats of the family Desmodontidae that bite mammals and birds to feed on their blood +n02150885 mouse-sized bat of tropical Central America and South America having sharp incisor and canine teeth; feeds on the blood of birds and mammals +n02151230 similar in size and habits to Desmodus rotundus; of tropical America including southern California and Texas +n02152740 any animal that lives by preying on other animals +n02152881 animal hunted or caught for food +n02152991 animal hunted for food or sport +n02153109 large animals that are hunted for sport +n02153203 any bird (as grouse or pheasant) that is hunted for sport +n02153809 a burrowing mammal having limbs adapted for digging +n02156732 a vertebrate animal having four feet or legs or leglike appendages +n02156871 an animal especially a mammal having four limbs specialized for walking +n02157206 an animal having six feet +n02157285 an animal with two feet +n02159955 small air-breathing arthropod +n02160947 an insect that lives in a colony with other insects of the same species +n02161225 insects that undergo complete metamorphosis +n02161338 an insect that strips the leaves from plants +n02161457 an insect that carries pollen from one flower to another +n02161588 any of various insects that deposit their eggs in plants causing galls in which the larvae feed +n02162561 any of various mecopterous insects of the family Panorpidae of the northern hemisphere having a long beak and long antennae; males have a tail like that of a scorpion except it is not venomous +n02163008 any of various mecopterous insects of the family Bittacidae +n02163297 any of numerous minute wingless primitive insects possessing a special abdominal appendage that allows the characteristic nearly perpetual springing pattern; found in soil rich in organic debris or on the surface of snow or water +n02164464 insect having biting mouthparts and front wings modified to form horny covers overlying the membranous rear wings +n02165105 active usually bright-colored beetle that preys on other insects +n02165456 small round bright-colored and spotted beetle that usually feeds on aphids and other insect pests +n02165877 red ladybug with a black spot on each wing +n02166229 introduced into the United States from Mexico; feeds on the foliage of the bean plant +n02166567 a variety of ladybug +n02166826 native to Australia; introduced elsewhere to control scale insects +n02167151 predacious shining black or metallic terrestrial beetle that destroys many injurious insects +n02167505 beetle that ejects audibly a pungent vapor when disturbed +n02167820 any beetle of the genus Calosoma +n02167944 large metallic blue-green beetle that preys on caterpillars; found in North America +n02168245 nocturnal beetle common in warm regions having luminescent abdominal organs +n02168427 the luminous larva or wingless grub-like female of a firefly +n02168699 long-bodied beetle having very long antennae +n02169023 any of several beetles whose larvae bore holes in dead or dying trees especially conifers +n02169218 large beetle whose larvae bore holes in pine trees +n02169497 brightly colored beetle that feeds on plant leaves; larvae infest roots and stems +n02169705 any small leaf beetle having enlarged hind legs and capable of jumping +n02169974 black-and-yellow beetle that feeds in adult and larval stages on potato leaves; originally of eastern Rocky Mountains; now worldwide +n02170400 small beetle whose larvae are household pests feeding on woolen fabrics +n02170599 a small black and red and white carpet beetle +n02170738 a carpet beetle that is solid black in color +n02170993 predacious on other insects; usually brightly colored or metallic +n02171164 European beetle; infests beehives +n02171453 beetle having antennae with hard platelike terminal segments +n02171869 any of numerous species of stout-bodied beetles having heads with horny spikes +n02172182 any of numerous beetles that roll balls of dung on which they feed and in which they lay eggs +n02172518 scarabaeid beetle considered divine by ancient Egyptians +n02172678 any of various dung beetles +n02172761 Old World dung beetle that flies with a droning sound +n02172870 any of various large usually brown North American leaf-eating beetles common in late spring; the larvae feed on roots of grasses etc. +n02173113 large greenish June beetle of southern United States +n02173373 small metallic green and brown beetle native to eastern Asia; serious plant pest in North America +n02173784 introduced into United States from the Orient; larvae feed on roots of sugarcane and other grasses +n02174001 any of various large chiefly tropical beetles having horns on the head; pest on coconuts +n02174355 any of various beetles of the family (or subfamily) Melolonthidae +n02174659 any of various large European beetles destructive to vegetation as both larvae and adult +n02175014 common North American beetle: larvae feed on roots and adults on leaves and flowers of e.g. rose bushes or apple trees or grape vines +n02175569 a common metallic green European beetle: larvae feed on plant roots and adults on leaves and flowers of e.g. roses +n02175916 a kind of lamellicorn beetle; the male has branched mandibles resembling antlers +n02176261 any of various widely distributed beetles +n02176439 able to right itself when on its back by flipping into the air with a clicking sound +n02176747 tropical American click beetle having bright luminous spots +n02176916 wormlike larva of various elaterid beetles; feeds on roots of many crop plants +n02177196 any of numerous aquatic beetles usually having a smooth oval body and flattened hind legs for swimming +n02177506 aquatic beetle that circles rapidly on the water surface +n02177775 bores through wood making a ticking sound popularly thought to presage death +n02177972 any of several families of mostly small beetles that feed on plants and plant products; especially snout beetles and seed beetles +n02178411 small weevil having a prolonged snout; destructive to e.g. grains and nuts +n02178717 greyish weevil that lays its eggs in cotton bolls destroying the cotton +n02179012 beetle that produces a secretion that blisters the skin +n02179192 any of various beetles that exude an oily substance from the leg joints that deters enemies +n02179340 green beetle of southern Europe +n02179891 a vector of the fungus causing Dutch elm disease +n02180233 small beetle that bores tunnels in the bark and wood of trees; related to weevils +n02180427 small beetle that likes to bore through the bark of spruce trees and eat the cambium which eventually kills the tree +n02180875 active beetle typically having predatory or scavenging habits +n02181235 sluggish hard-bodied black terrestrial weevil whose larvae feed on e.g. decaying plant material or grain +n02181477 the larva of beetles of the family Tenebrionidae +n02181724 an insect that infests flour and stored grains +n02182045 a small beetle that infests the seeds of legumes +n02182355 larvae live in and feed on seeds of the pea plant +n02182642 larvae live in and feed on growing or stored beans +n02182930 brown weevil that infests stored grain especially rice +n02183096 a beetle from China that has been found in the United States and is a threat to hardwood trees; lives inside the tree; no natural predators in the United States +n02183507 any of a small order of slender typically tropical insects that nest in colonies in silken tunnels that they spin +n02183857 wingless usually flattened bloodsucking insect parasitic on warm-blooded animals +n02184473 head or body louse +n02184589 infests the head and body of humans +n02184720 a parasitic louse that infests the body of human beings +n02185167 a louse that infests the pubic region of the human body +n02185481 wingless insect with mouth parts adapted for biting; mostly parasitic on birds +n02186153 any wingless bloodsucking parasitic insect noted for ability to leap +n02186717 the most common flea attacking humans +n02187150 flea that attacks dogs and cats +n02187279 flea that breeds chiefly on cats and dogs and rats +n02187554 small tropical flea; the fertile female burrows under the skin of the host including humans +n02187900 parasitic on especially the heads of chickens +n02188699 insects having usually a single pair of functional wings (anterior pair) with the posterior pair reduced to small knobbed structures and mouth parts adapted for sucking or lapping or piercing +n02189363 fragile mosquito-like flies that produce galls on plants +n02189670 small fly whose larvae damage wheat and other grains +n02190166 two-winged insects characterized by active flight +n02190790 common fly that frequents human habitations and spreads many diseases +n02191273 bloodsucking African fly; transmits sleeping sickness etc. +n02191773 large usually hairy metallic blue or green fly; lays eggs in carrion or dung or wounds +n02191979 blowfly with iridescent blue body; makes a loud buzzing noise in flight +n02192252 blowfly with brilliant coppery green body +n02192513 fly whose larvae feed on carrion or the flesh of living animals +n02192814 bristly fly whose larvae live parasitically in caterpillars and other insects; important in control of noxious insects +n02193009 any of various large flies that annoy livestock +n02193163 stout-bodied hairy dipterous fly whose larvae are parasites on humans and other mammals +n02194249 large tropical American fly; parasitic on humans and other mammals +n02194750 larvae are parasitic on sheep +n02195091 hairy bee-like fly whose larvae produce lumpy abscesses (warbles) under the skin of cattle +n02195526 large swift fly the female of which sucks blood of various animals +n02195819 hairy nectar-eating fly that resembles a bee; larvae are parasitic on larvae of bees and related insects +n02196119 swift predatory fly having a strong body like a bee with the proboscis hardened for sucking juices of other insects captured on the wing +n02196344 any of numerous small insects whose larvae feed on fruits +n02196896 larvae bore into and feed on apples +n02197185 small black-and-white fly that damages citrus and other fruits by implanting eggs that hatch inside the fruit +n02197689 small fruit fly used by Thomas Hunt Morgan in studying basic mechanisms of inheritance +n02197877 flies whose larvae feed on pickles and imperfectly sealed preserves +n02198129 any of various small moths or dipterous flies whose larvae burrow into and feed on leaf tissue especially of the family Gracilariidae +n02198532 bloodsucking dipterous fly parasitic on birds and mammals +n02198859 winged fly parasitic on horses +n02199170 wingless fly that is an external parasite on sheep and cattle +n02199502 small black European fly introduced into North America; sucks blood from cattle especially at the base of the horn +n02200198 two-winged insect whose female has a long proboscis to pierce the skin and suck the blood of humans and animals +n02200509 larva of a mosquito +n02200630 (British usage) mosquito +n02200850 mosquito that transmits yellow fever and dengue +n02201000 striped native of Japan thriving in southwestern and midwestern United States and spreading to the Caribbean; potential carrier of serious diseases +n02201497 any mosquito of the genus Anopheles +n02201626 transmits the malaria parasite +n02202006 common house mosquito +n02202124 widespread tropical mosquito that transmits filarial worms +n02202287 any of various small biting flies: midges; biting midges; black flies; sand flies +n02202678 minute two-winged insect that sucks the blood of mammals and birds and other insects +n02203152 minute two-winged mosquito-like fly lacking biting mouthparts; appear in dancing swarms especially near water +n02203592 mosquito-like insect whose larvae feed on fungi or decaying vegetation +n02203978 a fly of the family Psychodidae +n02204249 any of various small dipterous flies; bloodsucking females can transmit sandfly fever and leishmaniasis +n02204722 minute blackish gregarious flies destructive to mushrooms and seedlings +n02204907 larva of fungus gnat that feed on cereals and other grains; they march in large companies in regular order when the food is exhausted +n02205219 long-legged slender flies that resemble large mosquitoes but do not bite +n02205673 small blackish stout-bodied biting fly having aquatic larvae; sucks the blood of birds as well as humans and other mammals +n02206270 insects having two pairs of membranous wings and an ovipositor specialized for stinging or piercing +n02206856 any of numerous hairy-bodied insects including social and solitary species +n02207179 stingless male bee in a colony of social bees (especially honeybees) whose sole function is to mate with the queen +n02207345 fertile egg-laying female bee +n02207449 sterile member of a colony of social insects that forages for food and cares for the larvae +n02207647 a wingless sterile ant or termite having a large head and powerful jaws adapted for defending the colony +n02207805 sterile bee specialized to collect food and maintain the hive +n02208280 social bee often domesticated for the honey it produces +n02208498 a strain of bees that originated in Brazil in the 1950s as a cross between an aggressive African bee and a honeybee; retains most of the traits of the African bee; now spread as far north as Texas +n02208848 dark-colored ill-tempered honeybee supposedly of German origin +n02208979 greyish highly productive European honeybee that has a quiet disposition +n02209111 yellowish honeybee resembling the Carniolan bee in its habits +n02209354 large solitary bee that lays eggs in tunnels bored into wood or plant stems +n02209624 robust hairy social bee of temperate regions +n02209964 a bee that is parasitic in the nests of bumblebees +n02210427 a bee that is a member of the genus Andrena +n02210921 a common solitary bee important for pollinating alfalfa in the western United States +n02211444 bee that cuts rounded pieces from leaves and flowers to line its nest +n02211627 any of numerous solitary bees that build nests of hardened mud and sand +n02211896 solitary bee that builds nests of mud or pebbles cemented together and attached to a plant +n02212062 social or solitary hymenopterans typically having a slender body with the abdomen attached by a narrow stalk and having a formidable sting +n02212602 mostly social nest-building wasps +n02212958 any of several social wasps that construct nests of a substance like paper +n02213107 large stinging paper wasp +n02213239 European hornet introduced into the United States +n02213543 a variety of vespid wasp +n02213663 North American hornet +n02213788 small yellow-marked social wasp commonly nesting in the ground +n02214096 a variety of paper wasp +n02214341 any of various solitary wasps that construct nests of hardened mud for their young +n02214499 any of various solitary wasps that construct vase-shaped cells of mud for their eggs +n02214660 a family of wasps +n02214773 a solitary wasp of the family Mutillidae; the body has a coat of brightly colored velvety hair and the females are wingless +n02215161 any of various solitary wasps +n02215621 solitary wasp that constructs nests of hardened mud or clay for the young +n02215770 solitary wasp that digs nests in the soil and stocks them with paralyzed insects for the larvae +n02216211 large black or rust-colored wasp that preys on cicadas +n02216365 wasp that constructs mud cells on a solid base in which females place eggs laid in paralyzed insect larvae +n02216740 small solitary wasp that produces galls on oaks and other plants +n02217563 any of various tiny insects whose larvae are parasites on eggs and larvae of other insects; many are beneficial in destroying injurious insects +n02217839 larva of chalcid flies injurious to the straw of wheat and other grains +n02218134 a variety of chalcid fly +n02218371 hymenopterous insect that resembles a wasp and whose larvae are parasitic on caterpillars and other insect larvae +n02218713 insect whose female has a saw-like ovipositor for inserting eggs into the leaf or stem tissue of a host plant +n02219015 small black sawfly native to Europe but established in eastern United States; larvae mine the leaves of birches causing serious defoliation +n02219486 social insect living in organized colonies; characteristically the males and fertile queen have wings during breeding season; wingless sterile females are the workers +n02220055 small red ant of warm regions; a common household pest +n02220225 tiny glossy black ant; nests outdoors but invades houses for food +n02220518 tropical nomadic ant that preys mainly on other insects +n02220804 ant that nests in decaying wood in which it bores tunnels for depositing eggs +n02221083 omnivorous ant of tropical and subtropical America that can inflict a painful sting +n02221414 reddish-brown European ant typically living in anthills in woodlands +n02221571 any of various ants captured as larvae and enslaved by another species +n02221715 an ant frequently enslaved +n02221820 an ant that attacks colonies of other ant species and carries off the young to be reared as slave ants +n02222035 slave-making ant widely distributed over the northern hemisphere +n02222321 any of the large fierce Australian ants of the genus Myrmecia +n02222582 small reddish slave-making ant species +n02223266 whitish soft-bodied ant-like social insect that feeds on wood +n02223520 any of various termites that live in and feed on dry wood that is not connected with the soil +n02224023 destructive European termite +n02224713 Australian termite; sole living species of Mastotermes; called a living fossil; apparent missing link between cockroaches and termites +n02225081 extinct termite found in amber in the Dominican Republic +n02225798 extremely destructive dry-wood termite of warm regions +n02226183 any of various insects having leathery forewings and membranous hind wings and chewing mouthparts +n02226429 terrestrial plant-eating insect with hind legs adapted for leaping +n02226821 grasshopper with short antennae +n02226970 migratory grasshoppers of warm regions having short antennae +n02227247 Old World locust that travels in vast swarms stripping large areas of vegetation +n02227604 serious pest of grain-growing and range areas of central and western United States +n02227966 grasshoppers with long threadlike antennae and well-developed stridulating organs on the forewings of the male +n02228341 large green long-horned grasshopper of North America; males produce shrill sounds by rubbing together special organs on the forewings +n02228697 large dark wingless cricket-like katydid of arid parts of western United States +n02229156 large wingless nocturnal grasshopper that burrows in loose soil along the Pacific coast of the United States +n02229544 leaping insect; male makes chirping noises by rubbing the forewings together +n02229765 digs in moist soil and feeds on plant roots +n02230023 lives in human dwellings; naturalized in parts of America +n02230187 common American black cricket; attacks crops and also enters dwellings +n02230480 pale arboreal American cricket noted for loud stridulation +n02230634 pale yellowish tree cricket widely distributed in North America +n02231052 large cylindrical or flattened mostly tropical insects with long strong legs that feed on plants; walking sticks and leaf insects +n02231487 any of various mostly tropical insects having long twiglike bodies +n02231803 a variety of stick insect +n02232223 tropical insect having a flattened leaflike body; common in southern Asia and the East Indies +n02233338 any of numerous chiefly nocturnal insects; some are domestic pests +n02233943 dark brown cockroach originally from orient now nearly cosmopolitan in distribution +n02234355 large reddish brown free-flying cockroach originally from southern United States but now widely distributed +n02234570 widely distributed in warm countries +n02234848 small light-brown cockroach brought to United States from Europe; a common household pest +n02235205 large tropical American cockroaches +n02236044 predacious long-bodied large-eyed insect of warm regions; rests with forelimbs raised as in prayer +n02236241 the common mantis +n02236355 general term for any insect or similar creeping or crawling invertebrate +n02236896 insects with sucking mouthparts and forewings thickened and leathery at the base; usually show incomplete metamorphosis +n02237424 small bright-colored insect that feeds on plant juices +n02237581 a variety of leaf bug +n02237868 yellow or orange leaf bug with four black stripes down the back; widespread in central and eastern North America +n02238235 vector of viral plant diseases +n02238358 widespread plant and fruit pest +n02238594 small bug having body and wings covered with a lacy network of raised lines +n02238887 a true bug: usually bright-colored; pest of cultivated crops and some fruit trees +n02239192 small black-and-white insect that feeds on cereal grasses +n02239528 a true bug +n02239774 large black American bug that sucks sap of vines of the gourd family +n02240068 large sap-sucking bug with leaflike expansions on the legs +n02240517 bug of temperate regions that infests especially beds and feeds on human blood +n02241008 predaceous aquatic insect that swims on its back and may inflict painful bites +n02241426 any of various insects of the order Hemiptera and especially of the suborder Heteroptera +n02241569 true bugs: insects whose forewings are membranous but have leathery tips +n02241799 a true bug: large aquatic bug adapted to living in or on the surface of water +n02242137 large water bug with piercing and sucking mouthparts; feeds on young fishes +n02242455 long-legged aquatic insect having the front legs fitted for seizing and holding prey and the abdomen extended by a long breathing tube +n02243209 carnivorous aquatic bug having paddle-like hind legs +n02243562 long-legged bug that skims about on the surface of water +n02243878 a variety of water strider +n02244173 a true bug: long-legged predacious bug living mostly on other insects; a few suck blood of mammals +n02244515 large bloodsucking bug +n02244797 large predatory North American bug that sucks the blood of other insects +n02245111 a true bug: brightly colored bug that can exude a stain +n02245443 a true bug: bug that damages and stains the lint of developing cotton +n02246011 insects having membranous forewings and hind wings +n02246628 minute insect that feeds on plant juices; related to scale insects +n02246941 whitefly that attacks citrus trees +n02247216 whitefly that inhabits greenhouses +n02247511 a variety of whitefly +n02247655 a strain of pest accidentally imported into Florida from the Middle East then spread to California where it is a very serious pest feeding on almost all vegetable crops and poinsettias +n02248062 feeds primarily on cotton +n02248368 scale insects and mealybugs +n02248510 small homopterous insect that usually lives and feeds on plants and secretes a protective waxy covering +n02248887 an insect active in all stages +n02249134 pest on citrus trees +n02249515 insect having a firm covering of wax especially in the female +n02249809 small east Asian insect naturalized in the United States that damages fruit trees +n02250280 Mexican red scale insect that feeds on cacti; the source of a red dye +n02250822 scalelike plant-eating insect coated with a powdery waxy secretion; destructive especially of fruit trees +n02251067 destructive especially to citrus +n02251233 Asiatic insect introduced accidentally into United States; pest on citrus and apple trees +n02251593 feeds on a wide variety of cultivated plants but especially destructive to citrus +n02251775 any of several small insects especially aphids that feed by sucking the juices from plants +n02252226 any of various small plant-sucking insects +n02252799 bright green aphid; feeds on and causes curling of apple leaves +n02252972 blackish aphid that infests e.g. beans and sugar beets +n02253127 greenish aphid; pest on garden and crop plants +n02253264 yellowish green aphid that is especially destructive to peaches +n02253494 excretes a honeylike substance eaten by ants +n02253715 secretes a waxy substance like a mass of fine curly white cotton or woolly threads +n02253913 primarily a bark feeder on aerial parts and roots of apple and other trees +n02254246 attacks alders +n02254697 any of various insects that feed and form galls on conifers +n02254901 a variety of adelgid +n02255023 a variety of adelgid +n02255391 an insect that feeds on hemlocks; its egg sacs are small fuzzy white balls like artificial snow on a Christmas tree +n02256172 small active cicada-like insect with hind legs adapted for leaping; feeds on plant juices +n02256656 stout-bodied insect with large membranous wings; male has drum-like organs for producing a high-pitched drone +n02257003 its distinctive song is heard during July and August +n02257284 North American cicada; appears in great numbers at infrequent intervals because the nymphs take 13 to 17 years to mature +n02257715 small leaping herbivorous insect that lives in a mass of protective froth which it and its larvae secrete +n02257985 a variety of spittlebug +n02258198 North American insect that severely damages grasses +n02258508 North American insect that attacks pines +n02258629 feeds on pines in northern United States +n02259212 small leaping insect that sucks the juices of plants +n02259377 related to the leafhoppers and spittlebugs but rarely damages cultivated plants +n02259708 small leaping insect that sucks juices of branches and twigs +n02259987 large brightly marked tropical insect with a process like a snout that was formerly thought to emit light +n02260421 small soft-bodied insect with chewing mouthparts and either no wings or two pairs +n02260863 small winged insect living on the bark and leaves of trees and feeding on e.g. fungi and decaying plant matter +n02261063 any of several insects living on the bark of plants +n02261419 minute wingless psocopterous insects injurious to books and papers +n02261757 a variety of booklouse +n02262178 short-lived insect +n02262449 slender insect with delicate membranous wings having an aquatic larval stage and terrestrial adult stage usually lasting less than two days +n02262803 primitive winged insect with a flattened body; used as bait by fishermen; aquatic gilled larvae are carnivorous and live beneath stones +n02263378 insect having biting mouthparts and four large membranous wings with netlike veins +n02264021 winged insect resembling a dragonfly; the larvae (doodlebugs) dig conical pits where they wait to catch e.g. ants +n02264232 the larva of any of several insects +n02264363 any of two families of insects with gauzy wings (Chrysopidae and Hemerobiidae); larvae feed on insect pests such as aphids +n02264591 carnivorous larva of lacewing flies +n02264885 pale green unpleasant-smelling lacewing fly having carnivorous larvae +n02265330 small dark-colored lacewing fly +n02266050 large soft-bodied insect having long slender mandibles in the male; aquatic larvae often used as bait +n02266269 large brown aquatic larva of the dobsonfly; used as fishing bait +n02266421 similar to but smaller than the dobsonfly; larvae are used as fishing bait +n02266864 dark-colored insect having predaceous aquatic larvae +n02267208 predatory insect of western North America having a long necklike prothorax +n02267483 insect that resembles a mantis; larvae are parasites in the nests of spiders and wasps +n02268148 large primitive predatory aquatic insect having two pairs of membranous wings +n02268443 slender-bodied non-stinging insect having iridescent wings that are outspread at rest; adults and nymphs feed on mosquitoes etc. +n02268853 slender non-stinging insect similar to but smaller than the dragonfly but having wings folded when at rest +n02269196 caddis fly +n02269340 small moth-like insect having two pairs of hairy membranous wings and aquatic larvae +n02269522 insect larva that constructs a protective case around its body +n02269657 larva of the caddis fly; constructs a case of silk covered with sand or plant debris +n02270011 primitive wingless insects: bristletail +n02270200 small wingless insect with a long bristlelike tail +n02270623 silver-grey wingless insect found in houses feeding on book bindings and starched clothing +n02270945 lives in warm moist areas e.g. around furnaces +n02271222 wingless insect living in dark moist places as under dead tree trunks; they make erratic leaps when disturbed +n02271570 an insect of the order Thysanoptera +n02271897 any of various small to minute sucking insects with narrow feathery wings if any; they feed on plant sap and many are destructive +n02272286 injurious to growing tobacco and peanuts +n02272552 injurious to onion plants and sometimes tobacco +n02272871 any of numerous insects of the order Dermaptera having elongate bodies and slender many-jointed antennae and a pair of large pincers at the rear of the abdomen +n02273392 sometimes destructive to cultivated bulbs +n02274024 insect that in the adult state has four wings more or less covered with tiny scales +n02274259 diurnal insect typically having a slender body with knobbed antennae and broad colorful wings +n02274822 medium to large butterflies found worldwide typically having brightly colored wings and much-reduced nonfunctional forelegs carried folded on the breast +n02275560 of temperate regions; having dark purple wings with yellow borders +n02275773 brilliantly colored; larvae feed on nettles +n02276078 American butterfly having dark brown wings with white and golden orange spots +n02276258 any of several brightly colored butterflies +n02276355 of temperate Europe and Asia; having black wings with red and white markings +n02276749 Eurasian butterfly with brown wings and white markings +n02276902 North American butterfly with blue-black wings crossed by a broad white band +n02277094 similar to the banded purple but with red spots on underwing surfaces +n02277268 showy American butterfly resembling the monarch but smaller +n02277422 nymphalid butterfly having angular notches on the outer edges of the forewings +n02277742 any of various butterflies belonging to the family Satyridae +n02278024 anglewing butterfly with a comma-shaped mark on the underside of each hind wing +n02278210 butterfly with brownish wings marked with black and silver +n02278463 butterfly with silver spots on the underside of the hind wings +n02278839 large richly colored butterfly +n02278980 large European butterfly the male of which has wings shaded with purple +n02279257 European butterfly having reddish-brown wings each marked with a purple eyespot +n02279637 large tropical butterfly with degenerate forelegs and an unpleasant taste +n02279972 large migratory American butterfly having deep orange wings with black and white markings; the larvae feed on milkweed +n02280458 any of numerous pale-colored butterflies having three pairs of well-developed legs +n02280649 white butterfly whose larvae (cabbageworms) feed on cabbage +n02281015 small widely distributed form +n02281136 Old World form of cabbage butterfly +n02281267 common North American form of cabbage butterfly +n02281406 any of numerous yellow or orange butterflies +n02281787 any of various butterflies of the family Lycaenidae +n02282257 any of numerous small butterflies of the family Lycaenidae +n02282385 any of various small butterflies of the family Lycaenidae having coppery wings +n02282553 common copper butterfly of central and eastern North America +n02282903 small butterflies having striped markings under the wings +n02283077 larvae are pests of various economic plants +n02283201 typically crepuscular or nocturnal insect having a stout body and feathery or hairlike antennae +n02283617 any of various moths that have powdery wings +n02283951 any of numerous small moths having lightly fringed wings; larvae are leaf rollers or live in fruits and galls +n02284224 moth whose larvae form nests by rolling and tying leaves with spun silk +n02284611 small Indian moth infesting e.g. tea and coffee plants +n02284884 California moth whose larvae live in especially oranges +n02285179 a small grey moth whose larvae live in apples and English walnuts +n02285548 dull-colored moth whose larvae have tufts of hair on the body and feed on the leaves of many deciduous trees +n02285801 larva of a tussock moth +n02286089 European moth introduced into North America; a serious pest of shade trees +n02286425 small brown and white European moth introduced into eastern United States; pest of various shade and fruit trees +n02286654 white furry-bodied European moth with a yellow tail tuft +n02287004 slender-bodied broad-winged moth whose larvae are called measuring worms +n02287352 moth whose larvae are spring cankerworms +n02287622 North American moth with grey-winged males and wingless females; larvae are fall cankerworms +n02287799 green caterpillar of a geometrid moth; pest of various fruit and shade trees +n02287987 variably colored looper; larva of Paleacrita vernata +n02288122 green or brown white-striped looper; larva of Alsophila pometaria +n02288268 small hairless caterpillar having legs on only its front and rear segments; mostly larvae of moths of the family Geometridae +n02288789 usually tropical slender-bodied long-legged moth whose larvae are crop pests +n02289307 moth whose larvae live in and feed on bee honeycombs +n02289610 native to Europe; in America the larvae bore into the stem and crown of corn and other plants +n02289988 small moth whose larvae damage stored grain and flour +n02290340 small moth whose larvae feed on tobacco and other dried plant products +n02290664 a moth whose larvae feed on and mat together with webbing various stored products of vegetable origin +n02290870 moth whose larvae attack dried fruits and cereal products +n02291220 small dull-colored moth with chewing mouthparts +n02291572 small yellowish moths whose larvae feed on wool or fur +n02291748 any of several small yellowish or buff-colored moths whose larvae eat organic matter e.g. woolens +n02292085 the larvae live in tubes of its food material fastened with silk that it spins +n02292401 moth that forms a web in which it lives +n02292692 larvae feed on carpets and other woolens +n02293352 small slender-winged moths whose larvae are agricultural pests +n02293868 moth whose larvae feed on grain +n02294097 small moth whose larvae feed on kernels of stored grains +n02294407 greyish-brown moth whose larva is the potato tuberworm +n02294577 larva of potato moth; mines in leaves and stems of e.g. potatoes and tobacco +n02295064 usually dull-colored medium-sized nocturnal moth; the usually smooth-bodied larvae are destructive agricultural pests +n02295390 North American moth whose larvae feed on young plant stems cutting them off at the ground +n02295870 moth having dull forewings and brightly colored hind wings +n02296021 moth having dull forewings and red-marked hind wings +n02296276 European moth with white antler-like markings on the forewings; the larvae damage pastures and grasslands +n02296612 medium-sized moth whose larvae are corn earworms +n02296912 larvae (of a noctuid moth) that travel in large groups and destroy grains and alfalfa in the midwestern states +n02297294 moth whose destructive larvae travel in multitudes +n02297442 noctuid moth larvae that travel in multitudes destroying especially grass and grain +n02297819 moth whose larvae are beet armyworms +n02297938 moth larva that eats foliage of beets and other vegetables +n02298095 moth whose larvae are fall armyworms +n02298218 larva of a migratory American noctuid moth; destroys grasses and small grains +n02298541 any of various moths with long narrow forewings capable of powerful flight and hovering over flowers to feed +n02299039 moth whose larvae are tobacco hornworms +n02299157 large green white-striped hawkmoth larva that feeds on tobacco and related plants; similar to tomato hornworm +n02299378 moth whose larvae are tomato hornworms +n02299505 large green white-striped hawkmoth larva that feeds on tomato and potato plants; similar to tobacco hornworm +n02299846 European hawkmoth with markings on the back resembling a human skull +n02300173 moderate-sized Asiatic moth whose larvae feed on mulberry leaves and produce silk +n02300554 stocky creamy-white Asiatic moth found almost entirely under human care; the source of most of the silk commerce +n02300797 the commercially bred hairless white caterpillar of the domestic silkworm moth which spins a cocoon that can be processed to yield silk fiber; the principal source of commercial silk +n02301452 large brightly colored and usually tropical moth; larvae spin silken cocoons +n02301935 large moth of temperate forests of Eurasia having heavily scaled transparent wings +n02302244 large American moth having yellow wings with purplish or brownish markings; larvae feed on e.g. maple and pine trees +n02302459 any silkworm moth of the family Saturniidae +n02302620 larva of a saturniid moth; spins a large amount of strong silk in constructing its cocoon +n02302969 large pale-green American moth with long-tailed hind wings and a yellow crescent-shaped mark on each forewing +n02303284 North American silkworm moth; larvae feed on the leaves of forest trees +n02303585 large Asiatic moth introduced into the United States; larvae feed on the ailanthus +n02303777 large green silkworm of the cynthia moth +n02304036 large yellow American moth having a large eyelike spot on each hind wing; the larvae have stinging spines +n02304432 very large yellowish-brown American silkworm moth with large eyespots on hind wings; larvae feed on fruit and shade trees +n02304657 a Chinese moth that produces a brownish silk +n02304797 oriental moth that produces brownish silk +n02305085 giant saturniid moth widespread in Asia; sometimes cultured for silk +n02305407 stout-bodied broad-winged moth with conspicuously striped or spotted wings; larvae are hairy caterpillars +n02305636 medium-sized moth with long richly colored and intricately patterned wings; larvae are called woolly bears +n02305929 large red-and-black European moth; larvae feed on leaves of ragwort; introduced into United States to control ragwort +n02306433 medium-sized stout-bodied neutral-colored moths with comb-like antennae +n02306825 moth having nonfunctional mouthparts as adults; larvae feed on tree foliage and spin egg-shaped cocoons +n02307176 moth whose larvae are tent caterpillars +n02307325 the larvae of moths that build and live in communal silken webs in orchard and shade trees +n02307515 moth whose gregarious larvae spin webs resembling carpets +n02307681 larvae of a gregarious North American moth that spins a web resembling a carpet rather than a tent; serious defoliator of deciduous trees +n02307910 medium-sized hairy moths; larvae are lappet caterpillars +n02308033 larva of a lappet moth +n02308139 several gregarious moth larvae that spin webs over foliage on which they feed +n02308471 a variety of moth that spins a web in which it lives +n02308618 moth whose larvae are fall webworms +n02308735 a variety of webworm +n02309120 a variety of webworm +n02309242 an insect or other arthropod between molts +n02309337 a wormlike and often brightly colored and hairy or spiny larva of a butterfly or moth +n02309841 larva of the European corn borer moth; a serious pest of maize +n02310000 any of various moth caterpillars that destroy cotton bolls +n02310149 larvae of a gelechiid moth introduced from Asia; feeds on the seeds of cotton bolls +n02310334 larva of a noctuid moth; highly destructive to especially corn and cotton and tomato crops +n02310585 toxic green larva of a cabbage butterfly +n02310717 caterpillar of numerous moths characterized by a dense coat of woolly hairs; feed on plants and some are destructive pests +n02310941 larva of moth of the family Arctiidae +n02311060 the immature free-living form of most invertebrates and amphibians and fish which at hatching from the egg is fundamentally unlike its parent and must metamorphose +n02311617 a larva of an insect with incomplete metamorphosis (as the dragonfly or mayfly) +n02311748 slender transparent larva of eels and certain fishes +n02312006 a soft thick wormlike larva of certain beetles and other insects +n02312175 the larva of the housefly and blowfly commonly found in decaying organic matter +n02312325 tough-skinned larva of certain crane flies +n02312427 an insect in the inactive stage of development (when it is not feeding) intermediate between larva and adult +n02312640 pupa of a moth or butterfly enclosed in a cocoon +n02312912 an adult insect produced after metamorphosis +n02313008 the only fertile female in a colony of social insects such as bees and ants and termites; its function is to lay eggs +n02313360 hermaphrodite wormlike animal living in mud of the sea bottom +n02313709 sessile aquatic animal forming mossy colonies of small polyps each having a curved or circular ridge bearing tentacles; attach to stones or seaweed and reproduce by budding +n02315487 marine animal with bivalve shell having a pair of arms bearing tentacles for capturing food; found worldwide +n02315821 small unsegmented marine worm that when disturbed retracts its anterior portion into the body giving the appearance of a peanut +n02316707 marine invertebrates with tube feet and five-part radially symmetrical bodies +n02317335 echinoderms characterized by five arms extending from a central disk +n02317781 an animal resembling a starfish with fragile whiplike arms radiating from a small central disc +n02318167 any starfish-like animal of the genera Euryale or Astrophyton or Gorgonocephalus having slender complexly branched interlacing arms radiating from a central disc +n02318687 a variety of basket star +n02319095 shallow-water echinoderms having soft bodies enclosed in thin spiny globular shells +n02319308 a sea urchin that can be eaten +n02319555 flattened disklike sea urchins that live on sandy bottoms +n02319829 sea urchin having a heart-shaped body in a rigid spiny shell +n02320127 primitive echinoderms having five or more feathery arms radiating from a central disk +n02320465 crinoid with delicate radiating arms and a stalked body attached to a hard surface +n02321170 free-swimming stalkless crinoid with ten feathery arms; found on muddy sea bottoms +n02321529 echinoderm having a flexible sausage-shaped body, tentacles surrounding the mouth and tube feet; free-living mud feeders +n02322047 of warm coasts from Australia to Asia; used as food especially by Chinese +n02322992 in former classifications considered a suborder of Rodentia coextensive with the order Lagomorpha: gnawing animals +n02323449 relative large gnawing animals; distinguished from rodents by having two pairs of upper incisors specialized for gnawing +n02323902 rabbits and hares +n02324045 any of various burrowing animals of the family Leporidae having long ears and short tails; some domesticated and raised for pets or food +n02324431 the long ears of a rabbit +n02324514 castrated male rabbit +n02324587 (usually informal) especially a young rabbit +n02324850 common greyish-brown burrowing animal native to southern Europe and northern Africa but introduced elsewhere; widely domesticated and developed in various colors and for various needs; young are born naked and helpless +n02325366 common small rabbit of North America having greyish or brownish fur and a tail with a white underside; a host for Ixodes pacificus and Ixodes scapularis (Lyme disease ticks) +n02325722 widely distributed in United States except northwest and far west regions +n02325884 a wood rabbit of southeastern United States swamps and lowlands +n02326074 a wood rabbit of marshy coastal areas from North Carolina to Florida +n02326432 swift timid long-eared mammal larger than a rabbit having a divided upper lip and long hind legs; young born furred and with open eyes +n02326763 a young hare especially one in its first year +n02326862 large hare introduced in North America; does not turn white in winter +n02327028 large hare of western North America +n02327175 largest hare of northern plains and western mountains of United States; brownish-grey in summer and pale grey in winter; tail nearly always all white +n02327435 the common jackrabbit of grasslands and open areas of western United States; has large black-tipped ears and black streak on the tail +n02327656 a large hare of northern North America; it is almost completely white in winter +n02327842 large large-footed North American hare; white in winter +n02328009 red breed of domestic rabbits; hybrid between Old World rabbit and hare +n02328150 domestic breed of rabbit with long white silky hair +n02328429 small short-eared burrowing mammal of rocky uplands of Asia and western North America +n02328820 North American pika +n02328942 similar to little chief hare and may be same species +n02329401 relatively small placental mammals having a single pair of constantly growing incisor teeth specialized for gnawing +n02330245 any of numerous small rodents typically resembling diminutive rats having pointed snouts and small ears on elongated bodies with slender usually hairless tails +n02331046 any of various long-tailed rodents similar to but larger than a mouse +n02331309 any of various rodents with cheek pouches +n02331842 a rodent that is a member of the family Muridae +n02332156 brownish-grey Old World mouse now a common household pest worldwide +n02332447 small reddish-brown Eurasian mouse inhabiting e.g. cornfields +n02332755 any nocturnal Old World mouse of the genus Apodemus inhabiting woods and fields and gardens +n02332954 a mouse with a genetic defect that prevents them from growing hair and also prevents them from immunologically rejecting human cells and tissues; widely used in preclinical trials +n02333190 nocturnal yellowish-brown mouse inhabiting woods and fields and gardens +n02333546 common domestic rat; serious pest worldwide +n02333733 brown rat that infests wharves +n02333819 brown rat commonly found in sewers +n02333909 common household pest originally from Asia that has spread worldwide +n02334201 burrowing scaly-tailed rat of India and Ceylon +n02334460 large Australian rat with hind legs adapted for leaping +n02334728 leaping rodent of Australian desert areas +n02335127 any of various amphibious rats +n02335231 amphibious rat of Australia and New Guinea +n02336011 a variety of rodent +n02336275 any of several small greyish New World mice inhabiting e.g. grain fields +n02336641 any of various New World woodland mice +n02336826 American woodland mouse with white feet and underparts +n02337001 brownish New World mouse; most widely distributed member of the genus +n02337171 burrowing mouse of desert areas of southwestern United States +n02337332 large dark mouse of southeastern United States +n02337598 very small dark greyish brown mouse resembling a house mouse; of Texas and Mexico +n02337902 insectivorous mouse of western North America +n02338145 beaver-like aquatic rodent of North America with dark glossy brown fur +n02338449 of Florida wetlands +n02338722 destructive long-haired burrowing rat of southern North America and Central America +n02338901 any of various small short-tailed rodents of the northern hemisphere having soft fur grey above and white below with furred tails and large ears; some are hosts for Ixodes pacificus and Ixodes scapularis (Lyme disease ticks) +n02339282 a wood rat with dusky feet +n02339376 any of various small mouselike rodents of the family Cricetidae (especially of genus Microtus) having a stout short-tailed body and inconspicuous ears and inhabiting fields or meadows +n02339922 any of several bushy-tailed rodents of the genus Neotoma of western North America; hoards food and other objects +n02340186 host to Lyme disease tick (Ixodes pacificus) in northern California +n02340358 large greyish-brown wood rat of the southeastern United States +n02340640 hardy agile rat of grassy marshes of Mexico and the southeastern United States +n02340930 short-tailed glossy-furred burrowing vole of the eastern United States +n02341288 widely distributed in grasslands of northern United States and Canada +n02341475 of western North America +n02341616 typical vole of the extended prairie region of central United States and southern Canada +n02341974 common large Eurasian vole +n02342250 any of several voles of mountainous regions of Eurasia and America +n02342534 any of several vole-like terrestrial or arboreal rodents of cold forested regions of Canada and western United States +n02342885 short-tailed Old World burrowing rodent with large cheek pouches +n02343058 a variety of hamster common to Europe and Asia +n02343320 small light-colored hamster often kept as a pet +n02343772 small Old World burrowing desert rodent with long soft pale fur and hind legs adapted for leaping +n02344175 gerbil of northern Africa +n02344270 a gerbil that is popular as a pet +n02344408 southern European gerbil +n02344528 any of various short-tailed furry-footed rodents of circumpolar distribution +n02344918 notable for mass migrations even into the sea where many drown +n02345078 of northwestern Canada and Alaska +n02345340 Old World lemming +n02345600 North American lemming having a white winter coat and some claws much enlarged +n02345774 of northern Canada +n02345997 of low bogs and meadows of northeastern and central United States and southern Canada +n02346170 of wet alpine and subalpine meadows of Canada and Alaska +n02346627 relatively large rodents with sharp erectile bristles mingled with the fur +n02346998 terrestrial porcupine +n02347274 porcupine with a tuft of large beaded bristles on the tail +n02347573 porcupine of Borneo and Sumatra having short spines and a long tail +n02347744 arboreal porcupine +n02348173 porcupine of northeastern North America with barbed spines concealed in the coarse fur; often gnaws buildings for salt and grease +n02348788 any of various small nocturnal burrowing desert rodents with cheek pouches and long hind legs and tail +n02349205 small pale yellowish soft-furred rodent of southwestern United States and Mexico +n02349390 small rodent of open areas of United States plains states +n02349557 large stiff-haired rodent of shortgrass prairies of United States +n02349847 large pocket mouse of Mexico +n02350105 any of various leaping rodents of desert regions of North America and Mexico; largest members of the family Heteromyidae +n02350357 most widely distributed kangaroo rat: plains and mountain areas of central and western United States +n02350670 small silky-haired pouched rodent; similar to but smaller than kangaroo rats +n02350989 any of several primitive mouselike rodents with long hind legs and no cheek pouches; of woodlands of Eurasia and North America +n02351343 widely distributed in northeastern and central United States and Canada +n02351870 mouselike jumping rodent +n02352002 small nocturnal jumping rodent with long hind legs; of arid parts of Asia and northern Africa +n02352290 a variety of jerboa +n02352591 small furry-tailed squirrel-like Old World rodent that becomes torpid in cold weather +n02352932 large European dormouse +n02353172 a variety of dormouse +n02353411 dormouse of southern Europe and northern Africa +n02353861 burrowing rodent of the family Geomyidae having large external cheek pouches; of Central America and southwestern North America +n02354162 gopher of chiefly grasslands of central North America +n02354320 gopher of Alabama and Georgia and Florida +n02354621 of valleys and mountain meadows of western United States +n02354781 greyish to brown gopher of western and central United States +n02355227 a kind of arboreal rodent having a long bushy tail +n02355477 any typical arboreal squirrel +n02356381 common medium-large squirrel of eastern North America; now introduced into England +n02356612 large grey squirrel of far western areas of United States +n02356798 exceptionally large arboreal squirrel of eastern United States +n02356977 fox squirrel or grey squirrel in the black color phase +n02357111 common reddish-brown squirrel of Europe and parts of Asia +n02357401 of northern United States and Canada +n02357585 far western United States counterpart of the red squirrel +n02357911 small ground squirrel of western United States +n02358091 any of various terrestrial burrowing rodents of Old and New Worlds; often destroy crops +n02358390 common black-striped reddish-brown ground squirrel of western North America; resembles a large chipmunk +n02358584 rather large central Eurasian ground squirrel +n02358712 of sagebrush and grassland areas of western United States and Canada +n02358890 large grey ground squirrel of rocky areas of the southwestern United States +n02359047 large ground squirrel of the North American far north +n02359324 any of several rodents of North American prairies living in large complex burrows having a barking cry +n02359556 tail is black tipped +n02359667 tail is white tipped +n02359915 small striped semiterrestrial eastern American squirrel with cheek pouches +n02360282 a burrowing ground squirrel of western America and Asia; has cheek pouches and a light and dark stripe running down the body +n02360480 terrestrial Siberian squirrel +n02360781 New World flying squirrels +n02360933 small large-eyed nocturnal flying squirrel of eastern United States +n02361090 large flying squirrel; chiefly of Canada +n02361337 stocky coarse-furred burrowing rodent with a short bushy tail found throughout the northern hemisphere; hibernates in winter +n02361587 reddish brown North American marmot +n02361706 large North American mountain marmot +n02361850 heavy-bodied yellowish-brown marmot of rocky areas of western North America +n02362194 nocturnal rodent of Asia having furry folds of skin between forelegs and hind legs enabling it to move by gliding leaps +n02363005 large semiaquatic rodent with webbed hind feet and a broad flat tail; construct complex dams and underwater lodges +n02363245 a European variety of beaver +n02363351 a variety of beaver found in almost all areas of North America except Florida +n02363996 bulky nocturnal burrowing rodent of uplands of the Pacific coast of North America; the most primitive living rodent +n02364520 short-tailed rough-haired South American rodent +n02364673 stout-bodied nearly tailless domesticated cavy; often kept as a pet and widely used in research +n02364840 South American cavy; possibly ancestral to the domestic guinea pig +n02365108 hare-like rodent of the pampas of Argentina +n02365480 pig-sized tailless South American amphibious rodent with partly webbed feet; largest living rodent +n02366002 agile long-legged rabbit-sized rodent of Central America and South America and the West Indies; valued as food +n02366301 large burrowing rodent of South America and Central America; highly esteemed as food +n02366579 rodent of mountains of western South America +n02366959 aquatic South American rodent resembling a small beaver; bred for its fur +n02367492 small rodent with soft pearly grey fur; native to the Andes but bred in captivity for fur +n02367812 a rodent native to the mountains of Chile and Peru and now bred in captivity +n02368116 gregarious burrowing rodent larger than the chinchillas +n02368399 ratlike rodent with soft fur and large ears of the Andes +n02368821 furry short-limbed tailless rodent resembling a true mole in habits and appearance; of eastern Europe and Middle East +n02369293 African rodent resembling a mole in habits and appearance +n02369555 small nearly naked African mole rat of desert areas +n02369680 fetal-looking colonial rodent of East Africa; neither mole nor rat; they feed on tubers and have a social structure similar to that of honeybees and termites +n02369935 an especially large mole rat and the only member of a colony of naked mole rats to bear offspring which are sired by only a few males +n02370137 colonial mole rat of western Africa; similar to naked mole rat +n02370525 in former classifications a major division of Mammalia comprising all hoofed mammals; now divided into the orders Perissodactyla (odd-toed ungulates) and Artiodactyla (even-toed ungulates) +n02370806 any of a number of mammals with hooves that are superficially similar but not necessarily closely related taxonomically +n02371344 a mammal having nails or claws +n02372140 a variety of dinocerate +n02372584 any of several small ungulate mammals of Africa and Asia with rodent-like incisors and feet with hooflike toes +n02372952 hyrax that lives in rocky areas +n02373336 placental mammals having hooves with an odd number of toes on each foot +n02374149 hoofed mammals having slender legs and a flat coat with a narrow mane along the back of the neck +n02374451 solid-hoofed herbivorous quadruped domesticated since prehistoric times +n02375302 a horse having a brownish coat thickly sprinkled with white or gray +n02375438 a horse stabled with another or one of several horses owned by the same person +n02375757 a word for horse used by children or in adult slang +n02375862 earliest horse; extinct primitive dog-sized four-toed Eocene animal +n02376542 a young horse +n02376679 a young female horse under the age of four +n02376791 a young male horse under the age of four +n02376918 the male of species Equus caballus +n02377063 a colt with undescended testicles +n02377181 uncastrated adult male horse +n02377291 adult male horse kept for breeding +n02377388 castrated male horse +n02377480 female equine animal +n02377603 a female horse used for breeding +n02377703 a lightweight horse kept for riding only +n02378149 a fresh horse especially (formerly) to replace one killed or injured in battle +n02378299 especially a light saddle horse for a woman +n02378415 horse used in war +n02378541 horse trained for battle +n02378625 formerly a strong swift horse ridden into battle +n02378755 (literary) a spirited horse for state or war +n02378870 a mettlesome or fiery horse +n02378969 a saddle horse used for transportation rather than sport etc. +n02379081 a light saddle horse trained for herding cattle +n02379183 a small powerful horse originally bred for sprinting in quarter-mile races in Virginia +n02379329 an American breed of small compact saddle horses +n02379430 a horse marked by stamina and trained to move at a fast running walk +n02379630 a high-stepping horse originating in Kentucky +n02379743 a hardy breed of saddle horse developed in western North America and characteristically having a spotted rump +n02379908 a spirited graceful and intelligent riding horse native to Arabia +n02380052 a compact and sturdy saddle horse that is bred and trained in Vienna; smart and docile and excellent for dressage +n02380335 a range horse of the western United States +n02380464 a small agile horse specially bred and trained for playing polo +n02380583 small hardy range horse of the western plains descended from horses brought by the Spanish +n02380745 an unbroken or imperfectly broken mustang +n02380875 a wild horse that is vicious and difficult or impossible to break in +n02381004 horse of a light yellowish dun color with dark mane and tail +n02381119 an emaciated horse likely soon to become carrion and so attractive to crows +n02381261 horse of a dull brownish grey color +n02381364 horse of a light gray or whitish color +n02381460 undomesticated or feral domestic horse +n02381609 European wild horse extinct since the early 20th century +n02381831 wild horse of central Asia that resembles an ass; now endangered +n02382039 a small native range horse +n02382132 a horse kept for hire +n02382204 an old or over-worked horse +n02382338 a horse used to pull a plow +n02382437 any of various breeds of small gentle horses usually less than five feet high at the shoulder +n02382635 breed of very small pony with long shaggy mane and tail +n02382750 breed of small ponies originally from Wales +n02382850 stocky breed of pony with a fawn-colored nose +n02382948 a horse bred for racing +n02383231 a racehorse belonging to a breed that originated from a cross between Arabian stallions and English mares +n02384741 a horse trained to run in steeplechases +n02384858 an animal that races +n02385002 an animal that wins in a contest of speed +n02385098 an informal term for a racehorse +n02385214 a racehorse considered one year old until the second Jan. 1 following its birth +n02385580 a racehorse about which little is known +n02385676 a racehorse that runs well on a muddy racetrack +n02385776 a horse that fails to run in a race for which it has been entered +n02385898 a horse behind which a hunter hides while stalking game +n02386014 horse used for pulling vehicles +n02386141 stocky short-legged harness horse +n02386224 a compact breed of harness horse +n02386310 a horse used for plowing and hauling and other heavy labor +n02386496 horse adapted for drawing heavy loads +n02386746 a workhorse used as a pack animal +n02386853 draft horse kept for pulling carts +n02386968 heavy feathered-legged breed of draft horse originally from Scotland +n02387093 one of a breed of grey or black draft horses originally used in France to draw heavy coaches or artillery +n02387254 a quiet plodding workhorse +n02387346 British breed of large heavy draft horse +n02387452 a draft horse harnessed alongside the shaft or pole of a vehicle +n02387722 a horse kept at an inn or post house for use by mail carriers or for rent to travelers +n02387887 strong draft horse for drawing coaches +n02387983 a horse trained to a special gait in which both feet on one side leave the ground together +n02388143 a horse used to set the pace in racing +n02388276 a horse trained to trot; especially a horse trained for harness racing +n02388453 the horse having a starting position next to the inside rail in a harness race +n02388588 a horse trained to lift its feet high off the ground while walking or trotting +n02388735 a dark golden-brown or reddish-brown horse +n02388832 a solid dark brown horse +n02388917 a horse of a moderate reddish-brown color +n02389026 a horse of a brownish orange to light brown color +n02389128 a horse of light tan or golden color with cream-colored or white mane and tail +n02389261 a spotted or calico horse or pony +n02389346 hardy and sure-footed animal smaller and with longer ears than the horse +n02389559 domestic beast of burden descended from the African wild ass; patient but stubborn +n02389779 small donkey used as a pack animal +n02389865 British informal for donkey +n02389943 male donkey +n02390015 female donkey +n02390101 hybrid offspring of a male donkey and a female horse; usually sterile +n02390258 hybrid offspring of a male horse and a female donkey or ass; usually sterile +n02390454 any of several equine mammals of Asia and northeast Africa +n02390640 a wild ass of Africa +n02390738 wild ass of Tibet and Mongolia +n02390834 Asiatic wild ass +n02390938 Mongolian wild ass +n02391049 any of several fleet black-and-white striped African equines +n02391234 of the plains of central and eastern Africa +n02391373 narrow-striped nearly extinct zebra of southern Africa +n02391508 zebra with less continuous stripes +n02391617 mammal of South Africa that resembled a zebra; extinct since late 19th century +n02391994 massive powerful herbivorous odd-toed ungulate of southeast Asia and Africa having very thick skin and one or two horns on the snout +n02392434 having one horn +n02392555 extinct thick-haired species of Arctic regions +n02392824 large light-grey African rhinoceros having two horns; endangered; sometimes placed in genus Diceros +n02393161 African rhino; in danger of extinction +n02393580 large inoffensive chiefly nocturnal ungulate of tropical America and southeast Asia having a heavy body and fleshy snout +n02393807 a tapir found in South America and Central America +n02393940 a tapir found in Malaya and Sumatra +n02394477 placental mammal having hooves with an even number of functional toes on each foot +n02395003 stout-bodied short-legged omnivorous animals +n02395406 domestic swine +n02395694 a young pig +n02395855 an unweaned piglet +n02395931 a pig fattened to provide meat +n02396014 an uncastrated male hog +n02396088 an adult female hog +n02396157 a mongrel hog with a thin body and long legs and a ridged back; a wild or semi-wild descendant of improved breeds; found chiefly in the southeastern United States +n02396427 Old World wild swine having a narrow body and prominent tusks from which most domestic swine come; introduced in United States +n02396796 Indonesian wild pig with enormous curved canine teeth +n02397096 African wild swine with warty protuberances on the face and large protruding tusks +n02397529 nocturnal gregarious pig-like wild animals of North America and South America +n02397744 dark grey peccary with an indistinct white collar; of semi desert areas of Mexico and southwestern United States +n02397987 blackish peccary with whitish cheeks; larger than the collared peccary +n02398521 massive thick-skinned herbivorous animal living in or around rivers of tropical Africa +n02399000 any of various cud-chewing hoofed mammals having a stomach divided into four (occasionally three) compartments +n02401031 hollow-horned ruminants +n02402010 any of various members of the genus Bos +n02402175 any of various wild bovines especially of the genera Bos or closely related Bibos +n02402425 domesticated bovine animals as a group regardless of sex or age +n02403003 an adult castrated bull of the genus Bos; especially Bos taurus +n02403153 yearling heifer or bullock +n02403231 castrated bull +n02403325 uncastrated adult male of domestic cattle +n02403454 female of domestic cattle +n02403740 young cow +n02403820 young bull +n02403920 motherless calf in a range herd of cattle +n02404028 an unbranded range animal (especially a stray calf); belongs to the first person who puts a brand on it +n02404186 cattle that are reared for their meat +n02404432 long-horned beef cattle formerly common in southwestern United States +n02404573 any of several breeds of Indian cattle; especially a large American heat and tick resistant greyish humped breed evolved in the Gulf States by interbreeding Indian cattle and now used chiefly for crossbreeding +n02404906 domesticated ox having a humped back and long horns and a large dewlap; used chiefly as a draft animal in India and east Asia +n02405101 large recently extinct long-horned European wild ox; considered one of the ancestors of domestic cattle +n02405302 large long-haired wild ox of Tibet often domesticated +n02405440 wild ox of the Malay Archipelago +n02405577 a breed of dual-purpose cattle developed in Wales +n02405692 hornless short-haired breed of beef and dairy cattle +n02405799 Brahman and shorthorn crossbreed of red cattle; hardy in hot regions +n02405929 black hornless breed from Scotland +n02406046 tall large-horned humped cattle of South Africa; used for meat or draft +n02406174 cattle that are reared for their milk +n02406432 hardy breed of dairy cattle from Ayr, Scotland +n02406533 large hardy brown breed of dairy cattle from Switzerland +n02406647 large white or cream-colored breed from France +n02406749 a breed of diary cattle developed on the island of Jersey +n02406859 red dual-purpose cattle of English origin +n02406952 a variety of cattle produced by crossbreeding with a superior breed +n02407071 English breed of short-horned cattle +n02407172 breed evolved from shorthorn beef cattle +n02407276 breed of hardy black chiefly beef cattle native to Scotland +n02407390 a breed of dairy cattle from northern Holland +n02407521 breed of dairy cattle from the island of Guernsey +n02407625 hardy English breed of dairy cattle raised extensively in United States +n02407763 hardy breed of cattle resulting from crossing domestic cattle with the American buffalo; yields leaner beef than conventional breeds +n02407959 any of several Old World animals resembling oxen including, e.g., water buffalo; Cape buffalo +n02408429 an Asian buffalo that is often domesticated for use as a draft animal +n02408660 upland buffalo of eastern Asia where true water buffaloes do not thrive; used for draft and milk +n02408817 water buffalo of the Philippines +n02409038 small buffalo of the Celebes having small straight horns +n02409202 small buffalo of Mindoro in the Philippines +n02409508 large often savage buffalo of southern Africa having upward-curving horns; mostly in game reserves +n02409870 genus of Asiatic wild oxen +n02410011 wild ox of mountainous areas of eastern India +n02410141 ox of southeast Asia sometimes considered a domesticated breed of the gaur +n02410509 any of several large humped bovids having shaggy manes and large heads and short horns +n02410702 large shaggy-haired brown bison of North American plains +n02410900 European bison having a smaller and higher head than the North American bison +n02411206 large shaggy-coated bovid mammal of Canada and Greenland; intermediate in size and anatomy between an ox and a sheep +n02411705 woolly usually horned ruminant mammal related to the goat +n02411999 female sheep +n02412080 uncastrated adult male sheep +n02412210 male sheep especially a castrated one +n02412440 young sheep +n02412629 a very young lamb +n02412700 child's word for a sheep or lamb +n02412787 a sheep up to the age of one year; one yet to be sheared +n02412909 two-year-old sheep +n02412977 a karakul lamb +n02413050 sheep with a black coat +n02413131 any of various breeds raised for wool or edible meat or skin +n02413484 sheep with long wool originating in the Cotswold Hills +n02413593 British breed of hornless dark-faced domestic sheep +n02413717 long-wooled mutton sheep originally from Lincolnshire +n02413824 horned sheep of Devon; valued for mutton +n02413917 hardy hornless sheep of the Cheviot Hills noted for its short thick wool +n02414043 hardy coarse-haired sheep of central Asia; lambs are valued for their soft curly black fur +n02414209 a domestic long-wool sheep +n02414290 white sheep originating in Spain and producing a heavy fleece of exceptional quality +n02414442 hardy sheep developed from the merino producing both good mutton and fine wool +n02414578 undomesticated sheep +n02414763 wild sheep of semidesert regions in central Asia +n02414904 Asiatic wild sheep with exceptionally large horns; sometimes considered a variety of the argali (or Ovis ammon) +n02415130 bearded reddish sheep of southern Asia +n02415253 large white wild sheep of northwestern Canada and Alaska +n02415435 any wild sheep inhabiting mountainous regions +n02415577 wild sheep of mountainous regions of western North America having massive curled horns +n02415829 wild mountain sheep of Corsica and Sardinia +n02416104 wild sheep of northern Africa +n02416519 any of numerous agile ruminants related to sheep but having a beard and straight horns +n02416820 young goat +n02416880 male goat +n02416964 female goat +n02417070 any of various breeds of goat raised for milk or meat or wool +n02417242 Himalayan goat having a silky undercoat highly prized as cashmere wool +n02417387 a domestic breed of goat raised for its long silky hair which is the true mohair +n02417534 undomesticated goat +n02417663 wild goat of Iran and adjacent regions +n02417785 large Himalayan goat with large spiraled horns +n02417914 wild goat of mountain areas of Eurasia and northern Africa having large recurved horns +n02418064 bovid related to goats but having antelope-like features: mountain goats; gorals; serows; chamois; gnu goats +n02418465 sure-footed mammal of mountainous northwestern North America +n02418770 small goat antelope with small conical horns; of southern Asian mountains +n02419056 short-horned dark-coated goat antelope of mountain areas of southern and southeastern Asia +n02419336 hoofed mammal of mountains of Eurasia having upright horns with backward-hooked tips +n02419634 large heavily built goat antelope of eastern Himalayan area +n02419796 graceful Old World ruminant with long legs and horns directed upward and backward; includes gazelles; springboks; impalas; addax; gerenuks; blackbucks; dik-diks +n02420509 common Indian antelope with a dark back and spiral horns +n02420828 slender East African antelope with slim neck and backward-curving horns +n02421136 large antelope with lightly spiraled horns of desert regions of northern Africa +n02421449 large African antelope having a head with horns like an ox and a long tufted tail +n02421792 any of several small antelopes of eastern Africa of the genus Madoqua; the size of a large rabbit +n02422106 a large African antelope with lyre-shaped horns that curve backward +n02422391 a large South African antelope; considered the swiftest hoofed mammal +n02422699 African antelope with ridged curved horns; moves with enormous leaps +n02423022 small swift graceful antelope of Africa and Asia having lustrous eyes +n02423218 East African gazelle; the smallest gazelle +n02423362 a kind of gazelle +n02423589 a South African gazelle noted for springing lightly into the air +n02424085 large forest antelope of central Africa having a reddish-brown coat with white stripes and spiral horns +n02424305 either of two spiral-horned antelopes of the African bush +n02424486 a variety of kudu +n02424589 a smaller variety of kudu +n02424695 any of several antelopes of the genus Tragelaphus having striped markings resembling a harness +n02424909 spiral-horned South African antelope with a fringe of white hairs along back and neck +n02425086 shaggy antelope of mountains of Ethiopia +n02425228 antelope with white markings like a harness and twisted horns +n02425532 large Indian antelope; male is blue-grey with white markings; female is brownish with no horns +n02425887 large black East African antelope with sharp backward-curving horns +n02426176 goat-like antelope of central Eurasia having a stubby nose like a proboscis +n02426481 small plains antelope of southeastern Africa +n02426813 either of two large African antelopes of the genus Taurotragus having short spirally twisted horns in both sexes +n02427032 dark fawn-colored eland of southern and eastern Africa +n02427183 large dark striped eland of western equatorial Africa +n02427470 an orange-brown antelope of southeast Africa +n02427576 tawny-colored African antelope inhabiting wet grassy plains; a threatened species +n02427724 any of several large African antelopes of the genus Kobus having curved ridged horns and frequenting e.g. swamps and rivers +n02428089 an African antelope closely related to the waterbuck +n02428349 large African antelope with long straight nearly upright horns +n02428508 large South African oryx with a broad black band along its flanks +n02428842 cow-like creature with the glossy coat of a horse and the agility of a goat and the long horns of an antelope; characterized as a cow that lives the life of a goat +n02429456 fleet antelope-like ruminant of western North American plains with small branched horns +n02430045 distinguished from Bovidae by the male's having solid deciduous antlers +n02430559 adult male deer +n02430643 stag with antlers of 12 or more branches +n02430748 male deer in his second year +n02430830 a young deer +n02431122 common deer of temperate Europe and Asia +n02431337 a male deer, especially an adult male red deer +n02431441 a female deer, especially an adult female red deer +n02431542 male red deer in its second year +n02431628 a deer of southern Asia with antlers that have three tines +n02431785 large North American deer with large much-branched antlers in the male +n02431976 small deer of Japan with slightly forked antlers +n02432291 common North American deer; tail has a white underside +n02432511 long-eared deer of western North America with two-pronged antlers +n02432704 mule deer of western Rocky Mountains +n02432983 large northern deer with enormous flattened antlers in the male; called `elk' in Europe and `moose' in North America +n02433318 small Eurasian deer +n02433546 small graceful deer of Eurasian woodlands having small forked antlers +n02433729 male roe deer +n02433925 Arctic deer with large antlers in both sexes; called `reindeer' in Eurasia and `caribou' in North America +n02434190 any of several large caribou living in coniferous forests of southern Canada; in some classifications included in the species Rangifer tarandus +n02434415 of tundra of northern Canada; in some classifications included in the species Rangifer tarandus +n02434712 small South American deer with unbranched antlers +n02434954 small Asian deer with small antlers and a cry like a bark +n02435216 small heavy-limbed upland deer of central Asia; male secretes valued musk +n02435517 large Chinese deer surviving only in domesticated herds +n02435853 very small hornless deer-like ruminant of tropical Asia and west Africa +n02436224 small chevrotain of southeastern Asia +n02436353 chevrotain somewhat larger than the kanchil; found in India and Malaya +n02436645 largest chevrotain; of marshy areas of west Africa +n02437136 cud-chewing mammal used as a draft or saddle animal in desert regions +n02437312 one-humped camel of the hot deserts of northern Africa and southwestern Asia +n02437482 two-humped camel of the cold deserts of central Asia +n02437616 wild or domesticated South American cud-chewing animal related to camels but smaller and lacking a hump +n02437971 used in the Andes as a beast of burden and source of wool; considered a domesticated variety of the guanaco +n02438173 wild llama +n02438272 domesticated llama with long silky fleece; believed to be a domesticated variety of the guanaco +n02438580 small wild cud-chewing Andean animal similar to the guanaco but smaller; valued for its fleecy undercoat +n02439033 tallest living quadruped; having a spotted coat and small horns and very long neck and legs; of savannahs of tropical Africa +n02439398 similar to the giraffe but smaller with much shorter neck and stripe on the legs +n02441326 fissiped fur-bearing carnivorous mammals +n02441942 small carnivorous mammal with short legs and elongated body and neck +n02442172 mustelid of northern hemisphere in its white winter coat +n02442336 the ermine in its brown summer coat with black-tipped tail +n02442446 of Canada and northeastern United States +n02442572 of Europe +n02442668 the common American weasel distinguished by large size and black-tipped tail +n02442845 slender-bodied semiaquatic mammal having partially webbed feet; valued for its fur +n02443015 usually rich dark brown +n02443114 dark brown mustelid of woodlands of Eurasia that gives off an unpleasant odor when threatened +n02443346 domesticated albino variety of the European polecat bred for hunting rats and rabbits +n02443484 musteline mammal of prairie regions of United States; nearly extinct +n02443808 southern African weasel +n02443959 small slender burrowing muishond with white top of the head +n02444251 ferret-sized muishond often tamed +n02444819 freshwater carnivorous mammal having webbed and clawed feet and dark brown fur +n02445004 sociable aquatic animal widely distributed along streams and lake borders in North America +n02445171 otter found in Europe and Asia +n02445394 large marine otter of northern Pacific coasts having very thick dark brown fur +n02445715 American musteline mammal typically ejecting an intensely malodorous fluid when startled; in some classifications put in a separate subfamily Mephitinae +n02446206 most common and widespread North American skunk +n02446352 of Mexico and southernmost parts of southwestern United States +n02446645 large naked-muzzled skunk with white back and tail; of southwestern North America and Mexico +n02447021 small skunk with a marbled black and white coat; of United States and Mexico +n02447366 sturdy carnivorous burrowing mammal with strong claws; widely distributed in the northern hemisphere +n02447762 a variety of badger native to America +n02448060 a variety of badger native to Europe and Asia +n02448318 nocturnal badger-like carnivore of wooded regions of Africa and southern Asia +n02448633 small ferret-like badger of southeast Asia +n02448885 southeast Asian badger with a snout like a pig +n02449183 stocky shaggy-coated North American carnivorous mammal +n02449350 musteline mammal of northern Eurasia +n02449699 carnivore of Central America and South America resembling a weasel with a greyish-white back and dark underparts +n02450034 agile slender-bodied arboreal mustelids somewhat larger than weasels +n02450295 dark brown marten of northern Eurasian coniferous forests +n02450426 marten of northern Asian forests having luxuriant dark brown fur +n02450561 valued for its fur +n02450677 Eurasian marten having a brown coat with pale breast and throat +n02450829 large dark brown North American arboreal carnivorous mammal +n02451125 large yellow and black marten of southern China and Burma +n02451415 long-tailed arboreal mustelid of Central America and South America +n02451575 animals that exist only in fiction (usually in children's stories) +n02453108 any of various nonruminant hoofed mammals having very thick skin: elephant; rhinoceros; hippopotamus +n02453611 primitive terrestrial mammal with few if any teeth; of tropical Central America and South America +n02454379 burrowing chiefly nocturnal mammal with body covered with strong horny plates +n02454794 having nine hinged bands of bony plates; ranges from Texas to Paraguay +n02455135 South American armadillo with three bands of bony plates +n02455428 naked-tailed armadillo of tropical South America +n02455720 Argentine armadillo with six movable bands and hairy underparts +n02456008 about three feet long exclusive of tail +n02456275 very small Argentine armadillo with pale silky hair and pink plates on head and neck +n02456962 any of several slow-moving arboreal mammals of South America and Central America; they hang from branches back downward and feed on leaves and fruits +n02457408 a sloth that has three long claws on each forefoot and each hindfoot +n02457945 relatively small fast-moving sloth with two long claws on each front foot +n02458135 a sloth of Central America that has two long claws on each forefoot and three long claws on each hindfoot +n02458517 a large extinct ground sloth +n02459190 a variety of extinct edentate +n02460009 any of several tropical American mammals of the family Myrmecophagidae which lack teeth and feed on ants and termites +n02460451 large shaggy-haired toothless anteater with long tongue and powerful claws; of South America +n02460817 squirrel-sized South American toothless anteater with long silky golden fur +n02461128 small toothless anteater with prehensile tail and four-clawed forelimbs; of tropical South America and Central America +n02461830 toothless mammal of southern Africa and Asia having a body covered with horny scales and a long snout for feeding on ants and termites +n02462213 margin between the skin of the pastern and the horn of the hoof +n02469248 a feather covering the shoulder of a bird +n02469472 a larval frog or toad +n02469914 any placental mammal of the order Primates; has good eyesight and flexible hands and feet +n02470238 an ape or monkey +n02470325 any of various primates with short tails or no tail at all +n02470709 any member of the suborder Anthropoidea including monkeys and apes and hominids +n02470899 any tailless ape of the families Pongidae and Hylobatidae +n02471300 a primate of the superfamily Hominoidea +n02471762 a primate of the family Hominidae +n02472293 any living or extinct member of the family Hominidae characterized by superior intelligence, articulate speech, and erect carriage +n02472987 all of the living human inhabitants of the earth +n02473307 extinct species of primitive hominid with upright stature but small brain +n02473554 former genus of primitive apelike men now Homo erectus +n02473720 fossil remains found in Java; formerly called Pithecanthropus erectus +n02473857 fossils found near Beijing, China; they were lost during World War II +n02473983 genus to which Peking man was formerly assigned +n02474110 extinct primitive hominid of late Pleistocene; Java; formerly Javanthropus +n02474282 former genus of primitive man; now Homo soloensis: comprises Solo man +n02474605 extinct species of upright East African hominid having some advanced humanlike characteristics +n02474777 the only surviving hominid; species to which modern man belongs; bipedal primate having language and ability to make and use complex tools; brain volume at least 1400 cc +n02475078 extinct robust human of Middle Paleolithic in Europe and western Asia +n02475358 extinct human of Upper Paleolithic in Europe +n02475669 subspecies of Homo sapiens; includes all modern races +n02476219 any of several extinct humanlike bipedal primates with relatively small brains of the genus Australopithecus; from 1 to 4 million years ago +n02476567 fossils found in Ethiopia; from 3.5 to 4 million years ago +n02476870 gracile hominid of southern Africa; from about 3 million years ago +n02477028 large-toothed hominid of eastern Africa; from 1 to 2 million years ago +n02477187 genus to which Australopithecus boisei was formerly assigned +n02477329 large-toothed hominid of southern Africa; from 1.5 to 2 million years ago; formerly Paranthropus +n02477516 former classification for Australopithecus robustus +n02477782 fossil primates found in India +n02478239 fossil hominoids from northern central Hungary; late Miocene +n02478875 an anthropoid ape of the genus Proconsul +n02479332 extinct primate of about 38 million years ago; fossils found in Egypt +n02480153 any of the large anthropoid apes of the family Pongidae +n02480495 large long-armed ape of Borneo and Sumatra having arboreal habits +n02480855 largest anthropoid ape; terrestrial and vegetarian; of forests of central west Africa +n02481103 a kind of gorilla +n02481235 a kind of gorilla +n02481366 gorilla of Kivu highlands +n02481500 an adult male gorilla with grey hairs across the back +n02481823 intelligent somewhat arboreal ape of equatorial African forests +n02482060 masked or pale-faced chimpanzees of western Africa; distantly related to the eastern and central chimpanzees; possibly a distinct species +n02482286 long-haired chimpanzees of east-central Africa; closely related to the central chimpanzees +n02482474 black-faced chimpanzees of central Africa; closely related to eastern chimpanzees +n02482650 small chimpanzee of swamp forests in Zaire; a threatened species +n02483092 gibbons and siamangs +n02483362 smallest and most perfectly anthropoid arboreal ape having long arms and no tail; of southern Asia and East Indies +n02483708 large black gibbon of Sumatra having the 2nd and 3rd toes partially united by a web +n02484322 any of various long-tailed primates (excluding the prosimians) +n02484473 of Africa or Arabia or Asia; having nonprehensile tails and nostrils close together +n02484975 small slender African monkey having long hind limbs and tail and long hair around the face +n02485225 smallest guenon monkey; of swampy central and west African forests +n02485371 white and olive green East African monkey with long white tufts of hair beside the face +n02485536 South African monkey with black face and hands +n02485688 common savannah monkey with greenish-grey back and yellow tail +n02485988 large agile arboreal monkey with long limbs and tail and white upper eyelids +n02486261 reddish long-tailed monkey of west Africa +n02486410 large terrestrial monkeys having doglike muzzles +n02486657 greyish baboon of southern and eastern Africa +n02486908 baboon of west Africa with a bright red and blue muzzle and blue hindquarters +n02487079 similar to the mandrill but smaller and less brightly colored +n02487347 short-tailed monkey of rocky regions of Asia and Africa +n02487547 of southern Asia; used in medical research +n02487675 Indian macaque with a bonnet-like tuft of hair +n02487847 tailless macaque of rocky cliffs and forests of northwestern Africa and Gibraltar +n02488003 monkey of southeast Asia, Borneo and the Philippines +n02488291 slender long-tailed monkey of Asia +n02488415 langur of southern Asia; regarded as sacred in India +n02488702 arboreal monkey of western and central Africa with long silky fur and reduced thumbs +n02488894 a colobus monkey with a reddish brown coat and white silky fringes down both sides of the body +n02489166 Borneo monkey having a long bulbous nose +n02489589 hairy-faced arboreal monkeys having widely separated nostrils and long usually prehensile tails +n02490219 small soft-furred South American and Central American monkey with claws instead of nails +n02490597 a marmoset +n02490811 the smallest monkey; of tropical forests of the Amazon +n02491107 small South American marmoset with silky fur and long nonprehensile tail +n02491329 golden South American monkey with long soft hair forming a mane +n02491474 South American tamarin with a tufted head +n02492035 monkey of Central America and South America having thick hair on the head that resembles a monk's cowl +n02492356 nocturnal monkey of Central America and South America with large eyes and thick fur +n02492660 monkey of tropical South American forests having a loud howling cry +n02492948 small arboreal monkey of tropical South America with long hair and bushy nonprehensile tail +n02493224 medium-sized tree-dwelling monkey of the Amazon basin; only New World monkey with a short tail +n02493509 small South American monkeys with long beautiful fur and long nonprehensile tail +n02493793 arboreal monkey of tropical America with long slender legs and long prehensile tail +n02494079 small long-tailed monkey of Central American and South America with greenish fur and black muzzle +n02494383 large monkeys with dark skin and woolly fur of the Amazon and Orinoco basins +n02495242 insectivorous arboreal mammal of southeast Asia that resembles a squirrel with large eyes and long sharp snout +n02496052 primitive primates having large ears and eyes and characterized by nocturnal habits +n02496913 large-eyed arboreal prosimian having foxy faces and long furry tails +n02497673 small lemur having its tail barred with black +n02498153 nocturnal lemur with long bony fingers and rodent-like incisor teeth closely related to the lemurs +n02498743 slim-bodied lemur of southern India and Sri Lanka +n02499022 stocky lemur of southeastern Asia +n02499316 a kind of lemur +n02499568 a kind of lemur +n02499808 agile long-tailed nocturnal African lemur with dense woolly fur and large eyes and ears +n02500267 large short-tailed lemur of Madagascar having thick silky fur in black and white and fawn +n02500596 nocturnal indris with thick grey-brown fur and a long tail +n02501583 nocturnal arboreal primate of Indonesia and the Philippines having huge eyes and digits ending in pads to facilitate climbing; the only primate that spurns all plant material as food living entirely on insects and small vertebrates +n02501923 a variety of tarsier +n02502006 a variety of tarsier +n02502514 arboreal nocturnal mammal of southeast Asia and the Philippines resembling a lemur and having a fold of skin on each side from neck to tail that is used for long gliding leaps +n02502807 a variety of flying lemur +n02503127 massive herbivorous mammals having tusks and a long trunk +n02503517 five-toed pachyderm +n02503756 a wild and vicious elephant separated from the herd +n02504013 Asian elephant having smaller ears and tusks primarily in the male +n02504458 an elephant native to Africa having enormous flapping ears and ivory tusks +n02504770 any of numerous extinct elephants widely distributed in the Pleistocene; extremely large with hairy coats and long upcurved tusks +n02505063 very hairy mammoth common in colder portions of the northern hemisphere +n02505238 a variety of mammoth +n02505485 largest known mammoth; of America +n02505998 extinct elephant-like mammal that flourished worldwide from Miocene through Pleistocene times; differ from mammoths in the form of the molar teeth +n02506947 an animal that walks with the entire sole of the foot touching the ground as e.g. bears and human beings +n02507148 an animal that walks so that only the toes touch the ground as e.g. dogs and cats and horses +n02507649 plantigrade carnivorous mammals +n02508021 an omnivorous nocturnal mammal native to North America and Central America +n02508213 North American raccoon +n02508346 a South American raccoon +n02508742 raccoon-like omnivorous mammal of Mexico and the southwestern United States having a long bushy tail with black and white rings +n02509197 arboreal fruit-eating mammal of tropical America with a long prehensile tail +n02509515 omnivorous mammal of Central America and South America +n02509815 reddish-brown Old World raccoon-like carnivore; in some classifications considered unrelated to the giant pandas +n02510455 large black-and-white herbivorous mammal of bamboo forests of China and Tibet; in some classifications considered a member of the bear family or of a separate family Ailuropodidae +n02511730 a bird that twitters +n02512053 any of various mostly cold-blooded aquatic vertebrates usually having scales and breathing through gills +n02512752 a young or small fish +n02512830 any fish providing sport for the angler +n02512938 any fish used for food by human beings +n02513248 any fish useless for food or sport or even as bait +n02513355 fish that live on the sea bottom (particularly the commercially important gadoid fish like cod and haddock, or flatfish like flounder) +n02513560 a fish that is young +n02513727 the young of various fishes +n02513805 any of various fishes that carry their eggs and their young in their mouths +n02513939 a female fish at spawning time +n02514041 a large marine food fish common on the coasts of Australia, New Zealand, and southern Africa +n02515214 any fish of the order Crossopterygii; most known only in fossil form +n02515713 fish thought to have been extinct since the Cretaceous period but found in 1938 off the coast of Africa +n02516188 air-breathing fish having an elongated body and fleshy paired fins; certain species construct mucus-lined mud coverings in which to survive drought +n02516776 extinct lungfish +n02517442 any of numerous mostly freshwater bottom-living fishes of Eurasia and North America with barbels like whiskers around the mouth +n02517938 Old World freshwater catfishes having naked skin and a long anal fin more or less merged with the eellike caudal fin +n02518324 large elongated catfish of central and eastern Europe +n02518622 freshwater catfish of the Nile and tropical central Africa having an electric organ +n02519148 any of several common freshwater catfishes of the United States +n02519340 catfish common in eastern United States +n02519472 freshwater catfish of eastern United States +n02519686 freshwater food fish common throughout central United States +n02519862 a large catfish of the Mississippi valley +n02520147 large catfish of central United States having a flattened head and projecting jaw +n02520525 South American catfish having the body covered with bony plates +n02520810 any of numerous marine fishes most of which are mouthbreeders; not used for food +n02521646 a soft-finned fish of the family Gadidae +n02522399 major food fish of Arctic and cold-temperate waters +n02522637 young codfish +n02522722 one of the world's most important commercial fishes +n02522866 closely related to Atlantic cod +n02523110 a food fish of the Atlantic waters of Europe resembling the cod; sometimes placed in genus Gadus +n02523427 elongate freshwater cod of northern Europe and Asia and North America having barbels around its mouth +n02523877 important food fish on both sides of the Atlantic; related to cod but usually smaller +n02524202 important food and game fish of northern seas (especially the northern Atlantic); related to cod +n02524524 any of several marine food fishes related to cod +n02524659 found off Atlantic coast of North America +n02524928 American hakes +n02525382 large edible marine fish of northern coastal waters; related to cod +n02525703 deep-sea fish with a large head and body and long tapering tail +n02526121 voracious snakelike marine or freshwater fishes with smooth slimy usually scaleless skin and having a continuous vertical fin but no ventral fins +n02526425 young eel +n02526818 eels that live in fresh water as adults but return to sea to spawn; found in Europe and America; marketed both fresh and smoked +n02527057 New Zealand eel +n02527271 family of brightly colored voracious eels of warm coastal waters; generally nonaggressive to humans but larger species are dangerous if provoked +n02527622 large dark-colored scaleless marine eel found in temperate and tropical coastal waters; some used for food +n02528163 a bony fish of the subclass Teleostei +n02529293 fish of sandy areas of western Pacific and Indian oceans having an angular snout for burrowing into sand +n02529772 any of numerous soft-finned schooling food fishes of shallow waters of northern seas +n02530052 the edible young of especially herrings and sprats and smelts +n02530188 the young of a herring or sprat or similar fish +n02530421 herring-like food fishes that migrate from the sea to fresh water to spawn +n02530637 shad of Atlantic coast of North America; naturalized to Pacific coast +n02530831 shad that spawns in streams of the Mississippi drainage; very similar to Alosa sapidissima +n02530999 European shad +n02531114 shad-like food fish that runs rivers to spawn; often salted or smoked; sometimes placed in genus Pomolobus +n02531625 shad-like North American marine fishes used for fish meal and oil and fertilizer +n02532028 commercially important food fish of northern waters of both Atlantic and Pacific +n02532272 important food fish; found in enormous shoals in the northern Atlantic +n02532451 important food fish of the northern Pacific +n02532602 any of various small edible herring or related food fishes frequently canned +n02532786 any of various young herrings (other than brislings) canned as sardines in Norway +n02532918 small herring processed like a sardine +n02533209 small fishes found in great schools along coasts of Europe; smaller and rounder than herring +n02533545 small pilchards common off the pacific coast of North America +n02533834 small herring-like plankton-eating fishes often canned whole or as paste; abundant in tropical waters worldwide +n02534165 esteemed for its flavor; usually preserved or used for sauces and relishes +n02534559 soft-finned fishes of cold and temperate waters +n02534734 any of various large food and game fishes of northern waters; usually migrate from salt to fresh water to spawn +n02535080 a young salmon up to 2 years old +n02535163 female salmon that has recently spawned +n02535258 male salmon that has recently spawned +n02535537 found in northern coastal Atlantic waters or tributaries; adults do not die after spawning +n02535759 Atlantic salmon confined to lakes of New England and southeastern Canada +n02536165 small salmon with red flesh; found in rivers and tributaries of the northern Pacific and valued as food; adults die after spawning +n02536456 large Pacific salmon valued as food; adults die after spawning +n02536864 small salmon of northern Pacific coasts and the Great Lakes +n02537085 any of various game and food fishes of cool fresh waters mostly smaller than typical salmons +n02537319 speckled trout of European rivers; introduced in North America +n02537525 found in Pacific coastal waters and streams from lower California to Alaska +n02537716 silvery marine variety of brown trout that migrates to fresh water to spawn +n02538010 large fork-tailed trout of lakes of Canada and the northern United States +n02538216 North American freshwater trout; introduced in Europe +n02538406 any of several small trout-like fish of the genus Salvelinus +n02538562 small trout of northern waters; landlocked populations in Quebec and northern New England +n02538985 silvery herring-like freshwater food fish of cold lakes of the northern hemisphere +n02539424 found in the Great Lakes and north to Alaska +n02539573 important food fish of cold deep lakes of North America +n02539894 a whitefish with a bronze back; of northern North America and Siberia +n02540412 small trout-like silvery marine or freshwater food fishes of cold northern waters +n02540983 the common smelt of Europe +n02541257 very small northern fish; forage for sea birds and marine mammals and other fishes +n02541687 large silvery game fish of warm Atlantic coastal waters especially off Florida +n02542017 game fish resembling the tarpon but smaller +n02542432 slender silvery marine fish found in tropical mud flats and mangrove lagoons +n02542958 any of various small silver-scaled salmon-like marine fishes +n02543255 small fish having rows of luminous organs along each side; some surface at night +n02543565 tropical fishes with large mouths in lizard-like heads; found worldwide +n02544274 large elongate scaleless oceanic fishes with sharp teeth and a long dorsal fin that resembles a sail +n02545841 large elliptical brightly colored deep-sea fish of Atlantic and Pacific and Mediterranean +n02546028 from Nova Scotia to West Indies and Gulf of Mexico +n02546331 marine fish having a long compressed ribbonlike body +n02546627 deep-sea ribbonfish +n02547014 thin deep-water tropical fish 20 to 30 feet long having a red dorsal fin +n02547733 bottom-dweller of warm western Atlantic coastal waters having a flattened scaleless body that crawls about on fleshy pectoral and pelvic fins +n02548247 fishes having large mouths with a wormlike filament attached for luring prey +n02548689 bottom-dwelling fish having scaleless slimy skin and a broad thick head with a wide mouth +n02548884 a variety of toadfish +n02549248 fish having a frog-like mouth with a lure on the snout +n02549376 small fantastically formed and colored fishes found among masses of sargassum +n02549989 elongate European surface-dwelling predacious fishes with long toothed jaws; abundant in coastal waters +n02550203 found in warm waters of western Atlantic +n02550460 tropical marine fishes having enlarged winglike fins used for brief gliding flight +n02550655 having only pectoral fins enlarged +n02551134 tropical and subtropical marine and freshwater fishes having an elongated body and long protruding lower jaw +n02551668 slender long-beaked fish of temperate Atlantic waters +n02552171 a teleost fish with fins that are supported by sharp inflexible rays +n02553028 food fish of the northern Pacific related to greenlings +n02554730 any of numerous spiny-finned fishes of the order Perciformes +n02555863 any of numerous spiny-finned fishes of various families of the order Perciformes +n02556373 a small perch of India whose gills are modified to allow it to breathe air; has spiny pectoral fins that enable it to travel on land +n02556846 spiny-finned freshwater food and game fishes +n02557182 North American perch +n02557318 a perch native to Europe +n02557591 any of several pike-like fishes of the perch family +n02557749 pike-like freshwater perches +n02557909 variety inhabiting the Great Lakes +n02558206 a small snail-eating perch of the Tennessee River +n02558860 elongate compressed somewhat eel-shaped fishes +n02559144 deep-sea fishes +n02559383 found living within the alimentary canals of e.g. sea cucumbers or between the shells of pearl oysters in or near shallow seagrass beds +n02559862 a kind of percoid fish +n02560110 large tropical American food and game fishes of coastal and brackish waters; resemble pike +n02561108 any of several elongate long-snouted freshwater game and food fishes widely distributed in cooler parts of the northern hemisphere +n02561381 voracious piscivorous pike of waters of northern hemisphere +n02561514 large (60 to 80 pounds) sport fish of North America +n02561661 any of several North American species of small pike +n02561803 common in quiet waters of eastern United States +n02561937 small but gamy pickerel of Atlantic coastal states +n02562315 small carnivorous freshwater percoid fishes of North America usually having a laterally compressed body and metallic luster: crappies; black bass; bluegills; pumpkinseed +n02562796 small sunfishes of central United States rivers +n02562971 a crappie that is black +n02563079 a crappie that is white +n02563182 any of various usually edible freshwater percoid fishes having compressed bodies and shiny scales; especially (but not exclusively) of the genus Lepomis +n02563648 small brilliantly colored North American sunfish +n02563792 important edible sunfish of eastern and central United States +n02563949 inhabits streams from South Carolina to Florida; esteemed panfish +n02564270 North American food and game fish +n02564403 game and food fish of upper Mississippi and Great Lakes +n02564720 widely distributed and highly prized American freshwater game fishes (sunfish family) +n02564935 a variety of black bass +n02565072 a variety of black bass; the angle of the jaw falls below the eye +n02565324 a large black bass; the angle of the jaw falls behind the eye +n02565573 nontechnical name for any of numerous edible marine and freshwater spiny-finned fishes +n02566109 marine food sport fishes mainly of warm coastal waters +n02566489 small silvery food and game fish of eastern United States streams +n02566665 North American freshwater bass resembling the larger marine striped bass +n02567334 small marine fish with black mouth and gill cavity +n02567633 a kind of sea bass +n02568087 marine food and game fish with dark longitudinal stripes; migrates upriver to spawn; sometimes placed in the genus Morone +n02568447 brown fish of the Atlantic and Mediterranean found around rocks and shipwrecks +n02568959 usually solitary bottom sea basses of warm seas +n02569484 any of several mostly spotted fishes that resemble groupers +n02569631 found around rocky coasts or on reefs +n02569905 deep-sea fish of tropical Atlantic +n02570164 large dark grouper with a thick head and rough scales +n02570484 fishes with slimy mucus-covered skin; found in the warm Atlantic coastal waters of America +n02570838 small to medium-sized shallow-water fishes of the Pacific coast of North America +n02571167 Pacific coast fish +n02571652 red fishes of American coastal tropical waters having very large eyes and rough scales +n02571810 brightly colored carnivorous fish of western Atlantic and West Indies waters +n02572196 small red fishes of coral reefs and inshore tropical waters +n02572484 a cardinalfish found in tropical Atlantic coastal waters +n02573249 yellow-spotted violet food fish of warm deep waters +n02573704 bluish warm-water marine food and game fish that follow schools of small fishes into shallow waters +n02574271 large dark-striped tropical food and game fish related to remoras; found worldwide in coastal to open waters +n02574910 marine fishes with a flattened elongated body and a sucking disk on the head for attaching to large fish or moving objects +n02575325 remoras found attached to sharks +n02575590 large blue Pacific remora that attaches to whales and dolphins +n02576223 a percoid fish of the family Carangidae +n02576575 any of several fast-swimming predacious fishes of tropical to warm temperate seas +n02576906 fish of western Atlantic and Gulf of Mexico +n02577041 fish of western Atlantic and Gulf of Mexico +n02577164 fish of western Atlantic: Cape Cod to Brazil +n02577403 streamlined cigar-shaped jack; good game fish +n02577662 any of several New World tropical fishes having tiny embedded scales +n02577952 fish having greatly elongated front rays on dorsal and anal fins +n02578233 any of several silvery marine fishes with very flat bodies +n02578454 similar to moonfish but with eyes high on the truncated forehead +n02578771 any of several amber to coppery fork-tailed warm-water carangid fishes +n02578928 game fish of southern California and Mexico having a yellow tail fin +n02579303 large game fish of Australia and New Zealand +n02579557 any of several deep-bodied food fishes of western Atlantic and Gulf of Mexico +n02579762 found in coastal waters New England to Brazil except clear waters of West Indies +n02579928 large game fish; found in waters of the West Indies +n02580336 any of a number of fishes of the family Carangidae +n02580679 a California food fish +n02580830 large elongated compressed food fish of the Atlantic waters of Europe +n02581108 of Atlantic coastal waters; commonly used for bait +n02581482 small silvery fish; Nova Scotia to Brazil +n02581642 small fusiform fish of western Atlantic +n02581957 large slender food and game fish widely distributed in warm seas (especially around Hawaii) +n02582220 the more common dolphinfish valued as food; about six feet long +n02582349 a kind of dolphinfish +n02582721 deep-bodied sooty-black pelagic spiny-finned fish of the northern Atlantic and northern Pacific; valued for food +n02583567 any freshwater fish of the family Characinidae +n02583890 brightly colored tropical freshwater fishes +n02584145 small bright red and blue aquarium fish from streams in Brazil and Colombia +n02584449 small voraciously carnivorous freshwater fishes of South America that attack and destroy living animals +n02585872 freshwater fishes of tropical America and Africa and Asia similar to American sunfishes; some are food fishes; many small ones are popular in aquariums +n02586238 important food fish of the Nile and other rivers of Africa and Asia Minor +n02586543 any of several large sharp-toothed marine food and sport fishes of the family Lutjanidae of mainly tropical coastal waters +n02587051 an esteemed food fish with pinkish red head and body; common in the Atlantic coastal waters of North America and the Gulf of Mexico +n02587300 found in shallow waters off the coast of Florida +n02587479 similar to and often marketed as `red snapper' +n02587618 food fish of warm Caribbean and Atlantic waters +n02587877 superior food fish of the tropical Atlantic and Caribbean with broad yellow stripe along the sides and on the tail +n02588286 medium-sized tropical marine food fishes that utter grunting sounds when caught +n02588794 a grunt with a red mouth that is found from Florida to Brazil +n02588945 a kind of grunt +n02589062 found off the West Indies and Florida +n02589196 of warm Atlantic waters +n02589316 a grunt found from Florida to Brazil and Gulf of Mexico +n02589623 black and gold grunt found from Bermuda to Caribbean to Brazil +n02589796 dusky grey food fish found from Louisiana and Florida southward +n02590094 found from Long Island southward +n02590495 spiny-finned food fishes of warm waters having well-developed teeth +n02590702 any of numerous marine percoid fishes especially (but not exclusively) of the family Sparidae +n02590987 important deep-bodied food and sport fish of warm and tropical coastal waters; found worldwide +n02591330 food fish of the Mediterranean and Atlantic coasts of Europe and America +n02591613 food fish of European coastal waters +n02591911 sea bream of warm Atlantic waters +n02592055 large (up to 20 lbs) food fish of the eastern coast of the United States and Mexico +n02592371 similar to sea bream; small spiny-finned fish found in bays along the southeastern coast of the United States +n02592734 from Florida and Bahamas to Brazil +n02593019 Australian food fish having a pinkish body with blue spots +n02593191 important dark-colored edible food and game fish of Australia +n02593453 found in Atlantic coastal waters of North America from South Carolina to Maine; esteemed as a panfish +n02593679 porgy of southern Atlantic coastal waters of North America +n02594250 widely distributed family of carnivorous percoid fishes having a large air bladder used to produce sound +n02594942 a kind of drumfish +n02595056 black-and-white drumfish with an erect elongated dorsal fin +n02595339 small silvery drumfish often mistaken for white perch; found along coasts of United States from New York to Mexico +n02595702 large edible fish found off coast of United States from Massachusetts to Mexico +n02596067 large important food fish of Australia; almost indistinguishable from the maigre +n02596252 large European marine food fish +n02596381 any of several fishes that make a croaking noise +n02596720 a silvery-bodied croaker with dark markings and tiny barbels +n02597004 a fish of the Pacific coast of North America +n02597367 any of several food fishes of North American coastal waters +n02597608 any of several food and game fishes of the drum family indigenous to warm Atlantic waters of the North American coast +n02597818 whiting of the southeastern coast of North America +n02597972 whiting of the east coast of United States; closely resembles king whiting +n02598134 bluish-grey whiting of California coast +n02598573 small silvery marine food fish found off California +n02598878 silvery and bluish drumfish of shallow California coastal waters +n02599052 any of several sciaenid fishes of North American coastal waters +n02599347 food and game fish of North American coastal waters with a mouth from which hooks easily tear out +n02599557 weakfish of southern Atlantic and Gulf Coasts of United States +n02599958 bottom dwelling marine warm water fishes with two barbels on the chin +n02600298 brightly colored tropical fishes with chin barbels +n02600503 body bright scarlet with 2 yellow to reddish strips on side +n02600798 schooling goatfish; greyish with yellow stripe +n02601344 freshwater or coastal food fishes a spindle-shaped body; found worldwide +n02601767 most important commercial mullet in eastern United States +n02601921 silvery mullet of Atlantic and Pacific coasts +n02602059 similar to the striped mullet and takes its place in the Caribbean region +n02602405 small fishes having a silver stripe along each side; abundant along the Atlantic coast of the United States +n02602760 a relatively large silversides of the Pacific coast of North America (known to reach 18 inches in length) +n02603317 any voracious marine fish of the genus Sphyraena having an elongated cylindrical body and large mouth with projecting lower jaw and long strong teeth +n02603540 large (up to 6 ft) greyish-brown barracuda highly regarded as a food and sport fish; may be dangerous to swimmers +n02603862 little-known nocturnal fish of warm shallow seas with an oblong compressed body +n02604157 schooling fishes mostly of Indian and western Pacific oceans; two species in western Atlantic +n02604480 food and game fish around Bermuda and Florida; often follow ships +n02604954 deep-bodied disk-shaped food fish of warmer western Atlantic coastal waters +n02605316 small usually brilliantly colored tropical marine fishes having narrow deep bodies with large broad fins; found worldwide +n02605703 any fish of the genus Chaetodon +n02605936 a butterfly fish of the genus Pomacanthus +n02606052 gold and black butterflyfish found from West Indies to Brazil +n02606384 small brilliantly colored tropical marine fishes of coral reefs +n02606751 a blue and yellow damselfish of Bermuda and Florida and the West Indies +n02607072 live associated with sea anemones +n02607201 an anemone fish of the genus Amphiprion +n02607470 large blue-grey black-striped damselfish; nearly worldwide +n02607862 chiefly tropical marine fishes with fleshy lips and powerful teeth; usually brightly colored +n02608284 found around the Great Barrier Reef +n02608547 large wrasse of western Atlantic; head of male resembles a pig's snout +n02608860 small wrasse of tropical Atlantic +n02608996 bluish and bronze wrasse; found from Florida keys to Brazil +n02609302 small Atlantic wrasse the male of which has a brilliant blue head +n02609823 a kind of razor fish +n02610066 large dark-colored food fish of the Atlantic coast of North America +n02610373 common in north Atlantic coastal waters of the United States +n02610664 gaudy tropical fishes with parrotlike beaks formed by fusion of teeth +n02610980 mullet-like tropical marine fishes having pectoral fins with long threadlike rays +n02611561 small large-mouthed tropical marine fishes common along sandy bottoms; males brood egg balls in their mouths; popular aquarium fishes +n02611898 heavy-bodied marine bottom-lurkers with eyes on flattened top of the head +n02612167 small pallid fishes of shoal tropical waters of North America and South America having eyes on stalks atop head; they burrow in sand to await prey +n02613181 small usually scaleless fishes with comb-like teeth living about rocky shores; are territorial and live in holes between rocks +n02613572 European scaleless blenny +n02613820 inhabits both coasts of tropical Atlantic +n02614140 mostly small blennioid fishes of coral reefs and seagrass beds +n02614482 tropical American fishes; males are aggressively defensive of their territory +n02614653 found from Florida to Cuba +n02614978 small eellike fishes common in shallow waters of the northern Atlantic +n02615298 slippery scaleless food fish of the northern Atlantic coastal waters +n02616128 eellike fishes found in subarctic coastal waters +n02616397 eellike Atlantic bottom fish with large almost vertical mouth +n02616851 large ferocious northern deep-sea food fishes with strong teeth and no pelvic fins +n02617537 an eelpout of northern Europe that is viviparous +n02618094 common along northeastern coast of North America +n02618513 very small silvery eellike schooling fishes that burrow into sandy beaches +n02618827 small often brightly colored scaleless marine bottom-dwellers; found in tropical and warm temperate waters of Europe and America +n02619165 small spiny-finned fish of coastal or brackish waters having a large head and elongated tapering body having the ventral fins modified as a sucker +n02619550 found in tropical coastal regions of Africa and Asia; able to move on land on strong pectoral fins +n02619861 tropical fish that resembles a goby and rests quietly on the bottom in shallow water +n02620167 pallid bottom-dwelling flat-headed fish with large eyes and a duck-like snout +n02620578 any of several small freshwater fishes that catch insects by squirting water at them and knocking them into the water; found in Indonesia and Australia +n02621258 brightly colored coral-reef fish with knifelike spines at the tail +n02621908 snake mackerels; elongated marine fishes with oily flesh; resembles mackerels; found worldwide +n02622249 predatory tropical fishes with jutting jaws and strong teeth +n02622547 large snake mackerel with rings like spectacles around its eyes +n02622712 very large deep-water snake mackerel +n02622955 long-bodied marine fishes having a long whiplike scaleless body and sharp teeth; closely related to snake mackerel +n02623445 important marine food and game fishes found in all tropical and temperate seas; some are at least partially endothermic and can thrive in colder waters +n02624167 any of various fishes of the family Scombridae +n02624551 important food fish of the northern Atlantic and Mediterranean; its body is greenish-blue with dark bars and small if any scales +n02624807 medium-sized mackerel of temperate Atlantic and Gulf of Mexico +n02624987 small mackerel found nearly worldwide +n02625258 large fast-moving predacious food and game fish; found worldwide +n02625612 any of several large marine food fishes of the genus Scomberomorus +n02625851 large mackerel with long pointed snout; important food and game fish of the eastern Atlantic coast southward to Brazil +n02626089 a large commercially important mackerel of the Atlantic coastal waters of North America +n02626265 large edible mackerel of temperate United States coastal Atlantic waters +n02626471 a Spanish mackerel of western North America +n02626762 any very large marine food and game fish of the genus Thunnus; related to mackerel; chiefly of warm waters +n02627037 large pelagic tuna the source of most canned tuna; reaches 93 pounds and has long pectoral fins; found worldwide in tropical and temperate waters +n02627292 largest tuna; to 1500 pounds; of mostly temperate seas: feed in polar regions but breed in tropics +n02627532 may reach 400 pounds; worldwide in tropics +n02627835 any of various scombroid fishes intermediate in size and characteristics between mackerels and tunas +n02628062 medium-sized tuna-like food fish of warm Atlantic and Pacific waters; less valued than tuna +n02628259 common bonito of Pacific coast of the Americas; its dark oily flesh cans well +n02628600 oceanic schooling tuna of considerable value in Pacific but less in Atlantic; reaches 75 pounds; very similar to if not the same as oceanic bonito +n02629230 fish whose flesh is dried and flaked for Japanese cookery; may be same species as skipjack tuna +n02629716 large toothless marine food fish with a long swordlike upper jaw; not completely cold-blooded i.e. they are able to warm their brains and eyes: worldwide in warm waters but feed on cold ocean floor coming to surface at night +n02630281 large pelagic game fish having an elongated upper jaw and long dorsal fin that resembles a sail +n02630615 a kind of sailfish +n02630739 giant warm-water game fish having a prolonged and rounded toothless upper jaw +n02631041 large long-jawed oceanic sport fishes; related to sailfishes and spearfishes; not completely cold-blooded i.e. able to warm their brains and eyes +n02631330 largest marlin; may reach 2000 pounds; found worldwide in warm seas +n02631475 large game fish in the Pacific Ocean; may reach 1000 pounds +n02631628 Pacific food and game fish marked with dark blue vertical stripes +n02631775 small marlin (to 180 pounds) of western Atlantic +n02632039 any of several large vigorous pelagic fishes resembling sailfishes but with first dorsal fin much reduced; worldwide but rare +n02632494 large silvery fish found worldwide in warm seas but nowhere common; resembles a whale and feeds on plankton +n02633422 small food fish of Atlantic coast +n02633677 smaller than Florida pompano; common in West Indies +n02633977 butterfish up to a foot long of Atlantic waters from Chesapeake Bay to Argentina +n02634545 larger butterfishes of the western Atlantic from the New York area to the northern Gulf of Mexico +n02635154 blackish fish of New England waters +n02635580 very small (to 3 inches) flattened marine fish with a sucking disc on the abdomen for clinging to rocks etc. +n02636170 large food fish of warm waters worldwide having long anal and dorsal fins that with a caudal fin suggest a three-lobed tail +n02636405 tripletail found from Cape Cod to northern South America +n02636550 tripletail found in the Pacific +n02636854 small silvery schooling fishes with protrusible mouths found in warm coastal waters +n02637179 popular panfish from Bermuda and Gulf of Mexico to Brazil +n02637475 silvery mojarra found along sandy shores of the western Atlantic +n02637977 a small fish of the genus Sillago; excellent food fish +n02638596 primitive fishes having thick bony scales with a shiny covering +n02639087 primitive long-bodied carnivorous freshwater fish with a very long dorsal fin; found in sluggish waters of North America +n02639605 primitive fish of the Mississippi valley having a long paddle-shaped snout +n02639922 fish of larger rivers of China similar to the Mississippi paddlefish +n02640242 large primitive fishes valued for their flesh and roe; widely distributed in the North Temperate Zone +n02640626 food and game fish of marine and fresh waters of northwestern coast of North America +n02640857 valuable source of caviar and isinglass; found in Black and Caspian seas +n02641379 primitive predaceous North American fish covered with hard scales and having long jaws with needlelike teeth +n02642107 fishes having the head armored with bony plates +n02642644 any of numerous carnivorous usually bottom-dwelling warm-water marine fishes found worldwide but most abundant in the Pacific +n02643112 marine fishes having a tapering body with an armored head and venomous spines +n02643316 a kind of scorpionfish +n02643566 brightly striped fish of the tropical Pacific having elongated spiny fins +n02643836 venomous tropical marine fish resembling a piece of rock +n02644113 marine food fish found among rocks along the northern coasts of Europe and America +n02644360 a rockfish of the Pacific coastal waters of North America +n02644501 a commercially important fish of the Pacific coast of North America +n02644665 a large fish of the Pacific coast of North America +n02644817 large fish of northern Atlantic coasts of America and Europe +n02645538 freshwater sculpin with a large flattened bony-plated head with hornlike spines +n02645691 small freshwater sculpin of Europe and North America +n02645953 large sculpin of western Atlantic; inflates itself when caught +n02646667 clumsy soft thick-bodied northern Atlantic fish with pelvic fins fused into a sucker; edible roe used for caviar +n02646892 any of several very small lumpfishes +n02648035 northern Atlantic sea poacher +n02648625 food fish of the northern Pacific +n02648916 common food and sport fish of western coast of North America +n02649218 greenling with whitish body marked with black bands +n02649546 food fish of the Indonesian region of the Pacific; resembles gurnards +n02650050 bottom-dwelling coastal fishes with spiny armored heads and fingerlike pectoral fins used for crawling along the sea bottom +n02650413 a kind of gurnard +n02650541 American gurnard; mostly found in bays and estuaries +n02651060 large searobin; found from Nova Scotia to Florida +n02652132 tropical fish with huge fanlike pectoral fins for underwater gliding; unrelated to searobins +n02652668 tropical marine fishes having the teeth fused into a beak and thick skin covered with bony plates or spines +n02653145 any of numerous compressed deep-bodied tropical fishes with sandpapery skin and erectile spines in the first dorsal fin +n02653497 tropical Atlantic fish +n02653786 narrow flattened warm-water fishes with leathery skin and a long file-like dorsal spine +n02654112 any of several brightly colored tropical filefishes +n02654425 any of numerous small tropical fishes having body and head encased in bony plates +n02654745 trunkfish having hornlike spines over the eyes +n02655020 any of numerous marine fishes whose elongated spiny body can inflate itself with water or air to form a globe; several species contain a potent nerve poison; closely related to spiny puffers +n02655523 puffers having rigid or erectile spines +n02655848 spines become erect when the body is inflated; worldwide in warm waters +n02656032 similar to but smaller than porcupinefish +n02656301 any of several fishes having rigid flattened spines +n02656670 among the largest bony fish; pelagic fish having an oval compressed body with high dorsal and anal fins and caudal fin reduced to a rudder-like lobe; worldwide in warm waters +n02656969 caudal fin has a central projection +n02657368 any of several families of fishes having flattened bodies that swim along the sea floor on one side of the body with both eyes on the upper side +n02657694 any of various European and non-European marine flatfish +n02658079 flounders with both eyes on the right side of the head +n02658531 large European food fish +n02658811 important food fish of Europe +n02659176 American flounder having a yellowish tail +n02659478 important American food fish in the winter +n02659808 European flatfish highly valued as food +n02660091 large American food fish +n02660208 marine food fish of the northern Atlantic or northern Pacific; the largest flatfish and one of the largest teleost fishes +n02660519 largest United States flatfish +n02660640 a righteye flounder found in the Pacific +n02661017 flatfishes with both eyes on the left side of the head +n02661473 flounder of southern United States +n02661618 flounder of eastern coast of North America +n02662239 a lefteye flounder found in coastal waters from New England to Brazil +n02662397 a whiff found in waters from the Bahamas and northern Gulf of Mexico to Brazil +n02662559 small food fishes of the Pacific coast of North America +n02662825 very thin translucent flounder of the Atlantic coast of North America +n02662993 European food fish +n02663211 a large brownish European flatfish +n02663485 left-eyed marine flatfish whose tail tapers to a point; of little commercial value +n02663849 right-eyed flatfish; many are valued as food; most common in warm seas especially European +n02664285 highly valued as food +n02664642 popular pale brown food flatfish of the Pacific coast of North America +n02665250 useless as food; in coastal streams from Maine to Texas and Panama +n02665985 a fabric woven from goat hair and camel hair +n02666196 a calculator that performs arithmetic functions by manually sliding counters on rods or in grooves +n02666501 a ship abandoned on the high seas +n02666624 the battery used to heat the filaments of a vacuum tube +n02666943 a building where animals are butchered +n02667093 (Arabic) a loose black robe from head to toe; traditionally worn by Muslim women +n02667244 a condenser having 2 or 3 lenses with wide aperture for use in microscopes +n02667379 a monastery ruled by an abbot +n02667478 a convent ruled by an abbess +n02667576 a church associated with a monastery or convent +n02667693 a surveying instrument consisting of a spirit level and a sighting tube; used to measure the angle of inclination of a line from the observer to the target +n02668393 a tool or machine used for wearing down or smoothing or polishing +n02668613 a primitive stone artifact (usually made of sandstone) used as an abrader +n02669295 a masonry support that touches and directly receives thrust or pressure of an arch or bridge +n02669442 an arch supported by an abutment +n02669534 a costume worn on formal occasions by the faculty or students of a university or college +n02669723 a gown worn by academics or judges +n02670186 a valve that regulates the supply of fuel to the engine +n02670382 a scientific instrument that increases the kinetic energy of charged particles +n02670683 a pedal that controls the throttle valve +n02670935 an instrument for measuring the acceleration of aircraft or rockets +n02671780 clothing that is worn or carried, but not part of your main clothing +n02672152 a lens implant containing a hinge that allows for both near and far vision (thus mimicking the natural lens of a young person) +n02672371 living quarters provided for public convenience +n02672831 a portable box-shaped free-reed instrument; the reeds are made to vibrate by air from the bellows controlled by the player +n02675077 a disk coated with cellulose acetate +n02675219 a fabric made from fibers of cellulose acetate +n02675522 a compound lens system that forms an image free from chromatic aberration +n02676097 a delay line based on the time of propagation of sound waves +n02676261 a device for amplifying or transmitting sound +n02676566 sound is not amplified by electrical means +n02676670 a modem that converts electrical signals to telephone tones and back again +n02676938 the citadel in ancient Greek towns +n02677028 a synthetic fabric +n02677136 used especially by artists +n02677436 an instrument for measuring the intensity of electromagnetic radiation (usually by the photochemical effect) +n02677718 the operating part that transmits power to a mechanism +n02678010 a type of LCD screen used for some portable computers; there is a separate circuit for each pixel +n02678384 a mechanism that puts something into automatic action +n02678897 device that enables something to be used in a way different from that for which it was intended or makes different pieces of apparatus compatible +n02679142 a machine that adds numbers +n02679257 a calculator that performs simple arithmetic functions +n02679961 a printer that automatically prints addresses on letters for mailing +n02680110 bandage consisting of a medical dressing of plain absorbent gauze held in place by a plastic or fabric tape coated with adhesive +n02680512 a nearly horizontal passage from the surface into a mine +n02680638 a hotel room that shares a wall with another hotel room +n02680754 can be changed to different settings +n02681392 sun-dried brick; used in hot dry climates +n02682311 an edge tool used to cut and shape wood +n02682407 a harp having strings tuned in unison; they sound when wind passes over them +n02682569 an apparatus for exposing something to the air (as sewage) +n02682811 a torpedo designed to be launched from an airplane +n02682922 a dispenser that holds a substance under pressure and that can release it as a fine spray (usually by means of a propellant gas) +n02683183 a trademark for a loosely woven cotton fabric that is used to make shirts and underwear +n02683323 a blanket knitted or crocheted in strips or squares; sometimes used as a shawl +n02683454 a wig that gives the appearance of an Afro hairdo +n02683558 a device injects fuel into a hot exhaust for extra thrust +n02683791 a fragrant lotion for a man's face after shaving +n02684248 pottery that is veined and mottled to resemble agate +n02684356 a device that causes material to gather into rounded balls +n02684515 ornamental tagged cord or braid on the shoulder of a uniform +n02684649 metal or plastic sheath over the end of a shoelace or ribbon +n02684962 a place of assembly for the people in ancient Greece +n02685082 a long plume (especially one of egret feathers) worn on a hat or a piece of jewelry in the shape of a plume +n02685253 an airfoil that controls lateral motion +n02685365 a safety restraint in an automobile; the bag inflates on collision and prevents the driver or passenger from being thrown forward +n02685701 a vehicular brake that operates by compressed air; especially for heavy vehicles +n02685995 an atomizer to spray paint by means of compressed air +n02686121 a subsonic jet airliner operated over short distances +n02686227 a compressor that takes in air at atmospheric pressure and delivers it at a higher pressure +n02686379 a system that keeps air cool and dry +n02686568 a vehicle that can fly +n02687172 a large warship that carries planes and has a long flat deck for takeoffs and landings +n02687423 the engine that powers and aircraft +n02687682 a mechanical device using confined air to absorb the shock of motion +n02687821 a large structure at an airport where aircraft can be stored and maintained +n02687992 a place where planes take off and land +n02688273 a filter that removes dust from the air that passes through it +n02688443 a device that provides reactive force when in motion relative to the surrounding air; can lift or control a plane in flight +n02689144 the framework and covering of an airplane or rocket (excluding the engines) +n02689274 a gun that propels a projectile by compressed air +n02689434 a hammer driven by compressed air +n02689748 a pneumatic horn +n02689819 a warm cupboard where you put newly washed clothes until they are completely dry +n02690373 a commercial airplane that carries passengers +n02690715 a mailer for airmail +n02691156 an aircraft that has a fixed wing and is powered by propellers or jets +n02692086 a propeller that rotates to push against air +n02692232 an airfield equipped with control tower and hangars as well as accommodations for passengers and cargo +n02692513 a pump that moves air in or out of something +n02692680 a shipboard radar that searches for aircraft +n02692877 a steerable self-propelled aircraft +n02693246 a terminal that serves air travelers or air freight +n02693413 a missile designed to be launched from one airplane at another +n02693540 a missile designed to be launched from an airplane at a target on the ground +n02694045 part of a church divided laterally from the nave proper by rows of pillars or columns +n02694279 (Arabian Nights) a magical lamp from which Aladdin summoned a genie +n02694426 a device that signals the occurrence of some undesirable event +n02694662 a clock that wakes a sleeper at some preset time +n02694966 a white linen liturgical vestment with sleeves; worn by priests +n02695627 any of various Spanish fortresses or palaces built by the Moors +n02695762 thermometer consisting of a glass capillary tube marked with degrees Celsius or Fahrenheit and containing alcohol which rises or falls as it expands or contracts with changes in temperature +n02696165 a tavern where ale is sold +n02696246 an obsolete kind of container used for distillation; two retorts connected by a tube +n02696569 device for measuring pain caused by pressure +n02696843 surveying instrument used with a plane table for drawing lines of sight on a distant object and for measuring angles +n02697022 surveying instrument consisting of the upper movable part of a theodolite including the telescope and its attachments +n02697221 women's clothing that has a fitted top and a flared skirt that is widest at the hemline +n02697576 a screw with a hexagonal hole in the head +n02697675 a wrench for Allen screws +n02697876 a wrench with a v-shaped jaw and serrations on one side (resembles the open jaws of an alligator) +n02698244 a tray for collecting the offering from a congregation +n02698473 a thin glossy fabric made of the wool of the Lama pacos, or made of a rayon or cotton imitation of that wool +n02698634 a stout staff with a metal point; used by mountain climbers +n02699494 a raised structure on which gifts or sacrifices to a god are made +n02699629 the table in Christian churches where communion is given +n02699770 a painted or carved screen placed above and behind an altar or communion table +n02699915 an instrument that measures the altitude and azimuth of celestial bodies; used in navigation +n02700064 an old term for an electric generator that produces alternating current (especially in automobiles) +n02700258 an instrument that measures the height above ground; used in navigation +n02700895 a violin made by Nicolo Amati or a member of his family +n02701002 a vehicle that takes people to and from hospitals +n02701260 area reserved for persons leading the responsive `amens' +n02701730 a free-reed instrument in which air is drawn in through reeds by suction bellows +n02702989 a meter that measures the flow of electrical current in amperes +n02703124 an atomic clock based on vibrational frequency of the nitrogen atom in the ammonia molecule +n02703275 projectiles to be fired from a gun +n02704645 an airplane designed to take off and land on water +n02704792 a flat-bottomed motor vehicle that can travel on land or water +n02704949 an oval large stadium with tiers of seats; an arena in which contests and spectacles are held +n02705201 a sloping gallery with seats for spectators (as in an operating room or theater) +n02705429 an ancient jar with two handles and a narrow neck; used to hold oil or wine +n02705944 electronic equipment that increases strength of signals passing through it +n02706221 a flask that has two handles; used by Romans for wines or oils +n02706806 an arcade featuring coin-operated game machines +n02708093 a clock that displays the time of day by the position of hands on a dial +n02708224 a computer that represents information by variable quantities (e.g., positions or voltages) +n02708433 a watch that represents time by the position of hands on a dial +n02708555 a beam balance of great precision used in quantitative chemical analysis +n02708711 an instrument that performs analyses +n02708885 a distorted projection or perspective; especially an image distorted in such a way that it becomes visible only when viewed in a special manner +n02709101 compound lens or lens system designed to be free of astigmatism and able to form approximately point images +n02709367 a mechanical device that prevents a vessel from moving +n02709637 the chain or rope that attaches an anchor to a vessel +n02709763 a light in the rigging of a ship that is riding at anchor +n02709908 a circuit in a computer that fires only when all of its inputs fire +n02710044 metal supports for logs in a fireplace +n02710201 an automaton that resembles a human being +n02710324 a chamber having very little reverberation +n02710429 a gauge for recording the speed and direction of wind +n02710600 a barometer that measures pressure without using fluids +n02711237 a series of X rays representing the action of the heart and its blood vessels after the injection of a radiopaque substance +n02711780 a modified microscope used to study capillary vessels +n02712545 an L-shaped metal bracket +n02712643 a bulldozer with an angled moldboard to push earth to one side +n02713003 a brace worn to strengthen the ankle +n02713218 a sock that reaches just above the ankle +n02713364 a shoe for a child or woman that has a strap around the ankle +n02713496 an elephant goad with a sharp spike and a hook +n02714315 a positively charged electrode by which electrons leave an electrical device +n02714535 the negatively charged terminal of a voltaic cell or storage battery that supplies current +n02714751 an electronic device that answers the telephone and records messages +n02715229 an electrical device that sends or receives radio or television signals +n02715513 a large entrance or reception room or area +n02715712 artillery designed to shoot upward at airplanes +n02716626 a defensive missile designed to shoot down incoming intercontinental ballistic missiles +n02720048 a paint used to protect against the accumulation of barnacles etc. on underwater surfaces +n02720576 worn by fliers and astronauts to counteract the forces of gravity and acceleration +n02721813 a piece of ornamented cloth that protects the back of a chair from hair oils +n02723165 an astringent substance applied to the skin to reduce perspiration +n02724722 a shipboard system to fire rockets at submarines +n02725872 a heavy block of iron or steel on which hot metals are shaped by hammering +n02726017 the traditional dress of Vietnamese women consisting of a tunic with long sleeves and panels front and back; the tunic is worn over trousers +n02726210 the great hall in ancient Persian palaces +n02726305 a suite of rooms usually on one floor of an apartment house +n02726681 a building that is divided into apartments +n02727016 an man-made opening; usually small +n02727141 a device that controls amount of light admitted +n02727426 a shed containing a number of beehives +n02727825 equipment designed to serve a specific function +n02728440 clothing in general +n02729222 a handcart from which apples and other fruit are sold in the street +n02729837 durable goods for home or office use +n02729965 a device or control that is very useful for a particular job +n02730265 a device for applying a substance +n02730568 (usually plural) furnishings and equipment (especially for a ship or hotel) +n02730930 a garment of cloth or leather or plastic that is tied about the waist and worn to protect your clothing +n02731251 (usually used in the plural) a cord used to tie an apron at the waist +n02731398 a domed or vaulted recess or projection on a building especially the east end of a church; usually contains the altar +n02731629 a device (trade name Aqua-Lung) that lets divers breathe under water; scuba is an acronym for self-contained underwater breathing apparatus +n02731900 a board that is pulled by a speedboat as a person stands on it and skims over the top of the water +n02732072 a tank or pool or bowl filled with water for keeping live fish and underwater animals +n02732572 an ornament that interlaces simulated foliage in an intricate design +n02732827 a framework that supports climbing plants +n02733213 a structure composed of a series of arches supported by columns +n02733524 (architecture) a masonry construction (usually curved) for spanning an opening and supporting the weight above it +n02734725 an architectural product or work +n02734835 the lowest part of an entablature; rests immediately on the capitals of the columns +n02735268 a support for the arch of the foot +n02735361 a lamp that produces light when electric current flows across the gap between two electrodes +n02735538 a waterproof overshoe that protects shoes from water or snow +n02735688 a part of a structure having some specific characteristic or function +n02736396 a passageway between buildings or giving access to a basement +n02736798 a sock knitted or woven with an argyle design (usually used in the plural) +n02737351 a boat built by Noah to save his family and animals from the flood +n02737660 the part of an armchair or sofa that supports the elbow and forearm of a seated person +n02738031 weaponry used by military or naval force +n02738271 coil in which voltage is induced by motion through a magnetic field +n02738449 a band worn around the upper arm +n02738535 chair with a support on each side for arms +n02738741 a medieval helmet with a visor and a neck guard +n02738859 a pad worn by football players and hockey goalkeepers +n02738978 a hole through which you put your arm and where a sleeve can be attached +n02739123 (archeology) a bracelet worn around the wrist or arm +n02739427 a band worn around the arm for decoration +n02739550 a large wardrobe or cabinet; originally used for storing weapons +n02739668 protective covering made of metal and used in combat +n02739889 a military combat vehicle on wheels with light armor (and usually a machine gun) +n02740061 an armor-plated truck with strong doors and locks used to transport money or valuables +n02740300 (military) an armored vehicle (usually equipped with caterpillar treads) that is used to transport infantry +n02740533 a vehicle that is protected by armor plate +n02740764 specially hardened steel plate used to protect fortifications or vehicles from enemy fire +n02741367 a place where arms are manufactured +n02741475 a support for the arm +n02742070 an obsolete firearm with a long barrel +n02742194 an arrangement of aerials spaced to give desired directional characteristics +n02742322 especially fine or decorative clothing +n02742468 a restraint that slows airplanes as they land on the flight deck of an aircraft carrier +n02742753 a projectile with a straight thin shaft and an arrowhead on one end and stabilizing vanes on the other; intended to be shot from a bow +n02743426 all the weapons and equipment that a country has +n02744323 a major or main route +n02744844 an X ray of a joint after the injection of a contrast medium +n02744961 a type of endoscope that is inserted into a joint for visual examination +n02745492 a pump that replaces the natural heart +n02745611 a navigational instrument based on a gyroscope; it artificially provides a simulated horizon for the pilot +n02745816 a metal or plastic part that is surgically implanted to replace a natural joint (possibly elbow or wrist but usually hip or knee) +n02746008 a machine that uses dialysis to remove impurities and waste products from the bloodstream before returning the blood to the patient's body +n02746225 a synthetic covering with two layers used experimentally to treat burn victims +n02746365 large but transportable armament +n02746595 a shell fired by artillery +n02746683 a factory loft that has been converted into an artist's workroom and living area +n02746978 a school specializing in art +n02747063 a cravat with wide square ends; secured with an ornamental pin +n02747177 a bin that holds rubbish until it is collected +n02747672 a receptacle fitted beneath the grate in which ashes collect and are removed +n02747802 a receptacle for the ash from smokers' cigars or cigarettes +n02748183 a short-handled device with a globe containing a sponge; used for sprinkling holy water +n02748359 the basin or other vessel that holds holy water in Roman Catholic Churches +n02748491 a pump that draws air or another gas through a liquid +n02749169 a powdered form of aspirin +n02749292 an armored vehicle with the chassis of a tank (but no turret) and a large gun; used as an antitank weapon and to support infantry +n02749479 any of the automatic rifles or semiautomatic rifles with large magazines designed for military use +n02749670 the slender spear of the Bantu-speaking people of Africa +n02749790 a group of machine parts that fit together to form a self-contained unit +n02749953 a unit consisting of components that have been fitted together +n02750070 a hall where many people can congregate +n02750169 a factory where manufactured parts are assembled into a finished product +n02750320 an arrangement of coils used in sensitive electrical instruments; the coils are arranged to give zero resultant external magnetic field when a current passes through them and to have zero electromotive force induced in them by an external magnetic field +n02750652 has a moving magnet and astatic coils arranged to cancel the effect of the Earth's magnetic field +n02751067 a transparent dome on top of an airplane where the navigator can make celestial observations +n02751215 an early form of sextant +n02751295 any telescope designed to collect and record electromagnetic radiation from cosmic sources +n02751490 a satellite equipped with a telescope to observe infrared radiation +n02752199 a place where reading materials are available +n02752496 a sock worn for athletic events +n02752615 a support for the genitals worn by men engaging in strenuous exercise +n02752810 a figure of a man used as a supporting column +n02752917 an instrument that measures rate of evaporation of water +n02753044 a nuclear weapon in which enormous energy is released by nuclear fission (splitting the nuclei of a heavy element like uranium 235 or plutonium 239) +n02753394 a timepiece that derives its time scale from the vibration of atoms or molecules +n02753710 a nuclear reactor that uses controlled nuclear fission to generate energy +n02754103 a dispenser that turns a liquid (such as perfume) into a fine mist +n02754656 the central area in a building; open to the sky +n02755140 a shallow and rectangular briefcase +n02755352 a connection that fastens things together +n02755529 a military submarine designed and armed to attack enemy shipping +n02755675 an electrical device for attenuating the strength of an electrical signal +n02755823 (architecture) a low wall at the top of the entablature; hides the roof +n02755984 a fan that blows heated air out of the attic of a building +n02756098 clothing of a distinctive style or for a particular occasion +n02756854 an amplifier that increases the amplitude of reproduced sound +n02756977 a cassette for audiotape +n02757061 compact discs used to reproduce sound (voice and music) +n02757337 an instrument used to measure the sensitivity of hearing +n02757462 a system of electronic equipment for recording or reproducing sound +n02757714 magnetic tape for use in recording sound +n02757810 a tape recording of sound +n02757927 materials using sight or sound to present information +n02758134 the area of a theater or concert hall where the audience sits +n02758490 hand tool for boring holes +n02758863 an expressway in a German-speaking country +n02758960 a device for heating substances above their boiling point; used to manufacture chemicals or to sterilize surgical instruments +n02759257 an optical device for focussing a camera or other instrument automatically +n02759387 an aircraft that is supported in flight by unpowered rotating horizontal wings (or blades); forward propulsion is provided by a conventional propeller +n02759700 a hypodermic syringe to use in injecting yourself with a liquid +n02759963 a firearm that reloads itself +n02760099 a cafeteria where food is served from machines +n02760199 a vending machine from which you can get food +n02760298 a choke that automatically controls the flow of air to the carburetor +n02760429 a firearm that reloads itself and keeps firing until the trigger is released +n02760658 a pistol that will keep firing until the ammunition is gone or the trigger is released +n02760855 light machine gun +n02761034 a transmission that automatically changes the gears according to the speed of the car +n02761206 equipment used to achieve automatic control or operation +n02761392 a mechanism that can move automatically +n02761557 the engine that propels an automobile +n02761696 a factory where automobiles are manufactured +n02761834 a device on an automobile for making a warning noise +n02762169 a navigational device that automatically keeps ships or planes or spacecraft on a steady course +n02762371 a radiogram produced by radiation emitted by the specimen being photographed +n02762508 an expressway in an Italian-speaking country +n02762725 (nautical) an extra boiler (as a ship's boiler that is used while the ship is in port) +n02762909 (nautical) a small engine (as one used on board ships to operate a windlass) +n02763083 a supplementary pump available if needed +n02763198 a submarine for research purposes +n02763306 a data storage device that is not the main memory of a computer +n02763604 a building where birds are kept +n02763714 a pointed tool for marking surfaces or for punching small holes +n02763901 a canopy made of canvas to shelter people or things from rain or sun +n02764044 an edge tool with a heavy bladed head mounted across a handle +n02764398 the handle of an ax +n02764505 the cutting head of an ax +n02764614 the center around which something rotates +n02764779 a shaft on which a wheel rotates +n02764935 an iron bar that serves as an axletree +n02765028 a dead axle on a carriage or wagon that has terminal spindles on which the wheels revolve +n02766168 a woman's headscarf folded into a triangle and tied under the chin; worn by Russian peasant women +n02766320 a small bed for babies; enclosed by sides to prevent the baby from falling +n02766534 a small vehicle with four wheels in which a baby or child is pushed around +n02766792 a small grand piano +n02767038 powder used to prevent a baby's diaper from chafing +n02767147 a shoe designed to be worn by infants +n02767433 a support that you can lean against while sitting +n02767665 the part of a garment that covers the back of your body +n02767956 any of the seats occupied by backbenchers in the House of Commons +n02768114 a board used to support the back of someone or something +n02768226 a raised vertical board with basket attached; used to play basketball +n02768433 the part of a network that connects other networks together +n02768655 a brace worn to support the back +n02768973 the board on which backgammon is played +n02769075 (computer science) the area of the screen in graphical user interfaces against which icons and windows appear +n02769290 an excavator whose shovel bucket is attached to a hinged boom and is drawn backward to move earth +n02769669 lighting from behind +n02769748 a bag carried by a strap on your back or shoulder +n02769963 a tent that can be carried in a backpack +n02770078 plate armor protecting the back; worn as part of a cuirass +n02770211 a porch for the back door +n02770585 a handsaw that is stiffened by metal reinforcement along the upper edge +n02770721 a long-handled scratcher for scratching your back +n02770830 a seat at the back of a vehicle (especially the seat at the back of an automobile) +n02771004 the typewriter key used for back spacing +n02771166 a second staircase at the rear of a building +n02771286 a stay that supports the back of something +n02771547 (baseball) a fence or screen (as behind home plate) to prevent the ball from traveling out of the playing field +n02771750 a sword with only one cutting edge +n02772101 a computer system for making backups +n02772435 the court on which badminton is played +n02772554 equipment for playing the game of badminton +n02772700 a light long-handled racket used by badminton players +n02773037 a flexible container with a single opening +n02773838 a portable rectangular container for carrying clothes +n02774152 a container used for carrying money and small personal items or accessories (especially by women) +n02774630 cases used to carry belongings when traveling +n02774921 the portable equipment and supplies of an army +n02775039 a railway car where passengers' bags are carried +n02775178 an area in an airport where arriving passengers can collect the luggage that has been carried in the hold of the aircraft +n02775483 a tubular wind instrument; the player blows air into a bag and squeezes it out through the drone +n02775689 the outer defensive wall that surrounds the outer courtyard of a castle +n02775813 the outer courtyard of a castle +n02775897 a temporary bridge designed for rapid construction +n02776007 a large pan that is filled with hot water; smaller pans containing food can be set in the larger pan to keep food warm or to cook food slowly +n02776205 something used to lure fish or other animals into danger so they can be trapped or killed +n02776505 a bright green fabric napped to resemble felt; used to cover gaming tables +n02776631 a workplace where baked goods (breads and cakes and pastries) are produced or sold +n02776825 a cap that is close-fitting and woolen and covers all of the head but the face +n02776978 a stringed instrument that has a triangular body and three strings +n02777100 a scale for weighing; depends on pull of gravity +n02777292 a gymnastic apparatus used by women gymnasts +n02777402 a wheel that regulates the rate of movement in a machine; especially a wheel oscillating against the hairspring of a timepiece to regulate its beat +n02777638 a cotton knit fabric used for underwear +n02777734 a platform projecting from the wall of a building and surrounded by a balustrade or railing or parapet +n02777927 an upper floor projecting from the rear over the main floor in an auditorium +n02778131 ornamented canopy supported by columns or suspended from a roof or projected from a wall (as over an altar) +n02778294 a wide (ornamented) belt worn over the right shoulder to support a sword or bugle by the left hip +n02778456 a large bundle bound for storage or transport +n02778588 wire used to make bales +n02778669 round object that is hit or thrown or kicked in games +n02779435 a spherical object used as a plaything +n02779609 heavy iron ball attached to a prisoner by a chain +n02779719 a joint that can rotate within a socket +n02779971 an electrical device for starting and regulating fluorescent and discharge lamps +n02780315 bearings containing small metal balls +n02780445 a general purpose cartridge having a primer and a ball and a full charge of powder +n02780588 floating ball that controls level in a water tank +n02780704 a suit or dress for formal occasions +n02780815 very short skirt worn by ballerinas +n02781121 the most formal gown; worn to a ball +n02781213 a moving-coil galvanometer that measures electric charge +n02781338 a missile that is guided in the first part of its flight but falls freely as it approaches target +n02781517 a physical pendulum consisting of a large mass suspended from a rod; when it is struck by a projectile its displacement is used to measure the projectile's velocity +n02781764 a medical instrument that measures the mechanical force of cardiac contractions and the amount of blood passing through the heart during a specified period by measuring the recoil of the body as blood is pumped from the ventricles +n02782093 large tough nonrigid bag filled with gas or heated air +n02782432 a bomb carried by a balloon +n02782602 any light loose sail +n02782681 a box where voters deposit their ballots +n02782778 a facility in which ball games are played (especially baseball games) +n02783035 a hammer with one round and one flat end; used in working metal +n02783161 a pen that has a small metal ball as the point of transfer of ink to paper +n02783324 large room used mainly for dancing +n02783459 any valve that checks flow by the seating of a ball +n02783900 a light raft made of balsa +n02783994 one of a number of closely spaced supports for a railing +n02784124 a ship designed to transport bananas +n02784998 a restraint put around something to hold it together +n02785648 a piece of soft material that covers and protects an injured part of the body +n02786058 trade name for an adhesive bandage to cover small cuts or blisters +n02786198 large and brightly colored handkerchief; often used as a neckerchief +n02786331 a light cylindrical box for holding light articles of attire (especially hats) +n02786463 a decorated dart that is implanted in the neck or shoulders of the bull during a bull fight +n02786611 a broad cartridge belt worn over the shoulder by soldiers +n02786736 a type of concertina popular in South America +n02786837 an endless saw consisting of a toothed metal band that is driven around two wheels +n02787120 a large ornate wagon for carrying a musical band +n02787269 a metal pipe filled with explosive, used to detonate land mines or to clear a path through barbed wire +n02787435 cheap showy jewelry or ornament on clothing +n02787622 a stringed instrument of the guitar family that has long neck and circular body +n02788021 long strip of cloth or paper used for decoration or advertising +n02788148 a railing at the side of a staircase or balcony to prevent people from falling +n02788386 an upholstered bench +n02788462 a loose fitting jacket; originally worn in India +n02788572 bowl for baptismal water +n02788689 a rigid piece of metal or wood; usually used as a fastening or obstruction or weapon +n02789487 a counter where you can obtain food or drink +n02790669 a rack to hold meat for cooking over hot charcoal usually out of doors +n02790823 strong wire with barbs at regular intervals used to prevent passage +n02790996 a bar to which heavy discs are attached at each end; used in weightlifting +n02791124 a large fixed adjustable chair in which barbers seat their customers +n02791270 a shop where men can get their hair cut +n02791532 a gun carriage elevated so that the gun can be fired over the parapet +n02791665 a tower that is part of a defensive structure (such as a castle) +n02791795 a bit for horses that is a solid bar of metal +n02792409 a vessel (such as a yacht) that can be chartered without a captain or crew or provisions +n02792552 a flatbottom boat for carrying heavy loads (especially on canals) +n02792948 a long pole used to propel or guide a barge +n02793089 the second lowest brass wind instrument +n02793199 a sailing ship with 3 (or more) masts +n02793296 a magnet in the form of a bar with magnetic poles at each end +n02793414 a catcher's mask with bars +n02793495 an outlying farm building for storing grain or animal feed and housing farm animals +n02793684 an opaque adjustable flap on a lamp fixture; used in photography to cut off light from particular areas +n02793842 the large sliding door of a barn +n02793930 a yard adjoining a barn +n02794008 a recording barometer; automatically records on paper the variations in atmospheric pressure +n02794156 an instrument that measures atmospheric pressure +n02794368 a knife resembling a cleaver; used in the Philippines +n02794474 a horse-drawn carriage having four wheels; has an outside seat for the driver and facing inside seats for two couples and a folding top +n02794664 an impact printer that uses a bar to carry the type slugs +n02794779 a building or group of buildings used to house military personnel +n02794972 an elongated tethered balloon or blimp with cables or net suspended from it to deter enemy planes that are flying low +n02795169 a cylindrical container that holds liquids +n02795528 a tube through which a bullet travels when a gun is fired +n02795670 a cheap drinking and dancing establishment +n02795783 a knot used for tying fishing leaders together; the ends of the two leaders are wrapped around each other two or three times +n02795978 a musical instrument that makes music by rotation of a cylinder studded with pegs +n02796207 the simplest form of vault; a single continuous arch +n02796318 a pin for holding women's hair in place +n02796412 a barrier (usually thrown up hastily) to impede the advance of an enemy +n02796623 a structure or object that impedes free movement +n02796995 a room or establishment where alcoholic drinks are served over a counter +n02797295 a cart for carrying small loads; has handles and one or more wheels +n02797535 a structure or device in which one end is counterbalanced by the other (on the principle of the seesaw) +n02797692 a support or foundation +n02797881 a place that the runner must touch before scoring +n02799071 a ball used in playing baseball +n02799175 an implement used in baseball by the batter +n02799323 a cap with a bill +n02799897 equipment used in playing baseball +n02800213 the handwear used by fielders in playing baseball +n02800497 the lowermost portion of a structure partly or wholly below ground level; often used for storage +n02800675 the ground floor facade or interior in Renaissance architecture +n02800940 a shipboard missile system +n02801047 a Roman building used for public administration +n02801184 an early Christian church designed like a Roman basilica; or a Roman Catholic church or cathedral accorded certain privileges +n02801450 ancient brass cannon +n02801525 a bowl-shaped vessel; usually used for holding food or liquids +n02801823 a medieval steel helmet +n02801938 a container that is usually woven and has handles +n02802215 horizontal circular metal hoop supporting a net through which players try to throw the basketball +n02802426 an inflated ball used in playing basketball +n02802544 the court on which basketball is played +n02802721 sports equipment used in playing basketball +n02802990 a cloth woven of two or more threads interlaced to suggest the weave of a basket +n02803349 the member with the lowest range of a family of musical instruments +n02803539 a large clarinet whose range is an octave below the B-flat clarinet +n02803666 a large drum with two heads; makes a sound of indefinite but very low pitch +n02803809 a tenor clarinet; pitched in the key of F below the B-flat clarinet +n02803934 largest and lowest member of the violin family +n02804123 the guitar with six strings that has the lowest pitch +n02804252 the lowest brass wind instrument +n02804414 a basket (usually hooded) used as a baby's bed +n02804515 a perambulator that resembles a bassinet +n02804610 a double-reed instrument; the tenor of the oboe family +n02805283 a tube with a rubber bulb used to take up and release melted fat or gravy in order to moisten roasting meat +n02805845 a cudgel used to give someone a beating on the soles of the feet +n02805983 projecting part of a rampart or other fortification +n02806088 a stronghold into which people could go for shelter during a battle +n02806379 a club used for hitting a ball in various games +n02806530 a vessel containing liquid in which something is immersed (as to process it or to maintain it at a constant temperature or to lubricate it) +n02806762 a wheelchair usually pushed by an attendant, as at a spa +n02806875 a building containing public baths +n02806992 a building containing dressing rooms for bathers +n02807133 a tight-fitting cap that keeps hair dry while swimming +n02807523 a scented oil added to your bath water +n02807616 a loose-fitting robe of towelling; worn after a bath or swim +n02807731 a room (as in a residence) containing a bathtub or shower and usually a washbasin and toilet +n02808185 a preparation that softens or scents a bath +n02808304 a large towel; to dry yourself after a bath +n02808440 a relatively large open container that you fill with water and use to wash the body +n02808829 navigable deep diving vessel for underwater exploration +n02808968 spherical deep diving apparatus (lowered by a cable) for underwater exploration +n02809105 a dyed fabric; a removable wax is used where the dye is not wanted +n02809241 a thin plain-weave cotton or linen fabric; used for shirts or dresses +n02809364 a thin tapered rod used by a conductor to lead an orchestra or choir +n02809491 a hollow cylinder passed from runner to runner in a relay race +n02809605 a hollow metal rod that is wielded or twirled by a drum major or drum majorette +n02809736 a short staff carried by some officials to symbolize an office or an authority +n02810139 a ram used to break down doors of fortified buildings +n02810270 an area on a baseball diamond (on either side of home plate) marked by lines within which the batter must stand when at bat +n02810471 a device that produces electricity; may have several primary or secondary cells arranged in parallel or series +n02810782 a series of stamps operated in one mortar for crushing ores +n02811059 a movable screen placed behind home base to catch balls during batting practice +n02811204 a glove worn by batters in baseball to give a firmer grip on the bat +n02811350 a helmet worn by the batter in baseball +n02811468 a broadax used as a weapon +n02811618 a cruiser of maximum speed and firepower +n02811719 a military uniform designed for field service +n02811936 a rampart built around the top of a castle with regular gaps for firing arrows or guns +n02812201 large and heavily armoured warship +n02812342 an arrangement of sights that makes possible the rapid aiming of a firearm at short ranges +n02812631 a compartment in an aircraft used for some specific purpose +n02812785 a compartment on a ship between decks; often used as a hospital +n02812949 a knife that can be fixed to the end of a rifle and used as a weapon +n02813252 an aromatic liquid originally obtained by distilling the leaves of the bayberry tree with rum +n02813399 a window that sticks out from the outside wall of a house +n02813544 a shop where a variety of goods are sold +n02813645 a street of small shops (especially in Orient) +n02813752 a portable rocket launcher used by infantrymen as an antitank weapon +n02813981 battery for supplying a constant positive voltage to the plate of a vacuum tube +n02814116 an air gun in which BBs are propelled by compressed air +n02814338 a house built on or near a beach +n02814428 very large towel to dry yourself after swimming +n02814533 a car that has a long body and rear door with space behind rear seat +n02814774 clothing to be worn at a beach +n02814860 a tower with a light that gives warning of shoals to passing ships +n02815478 a plane with a concave blade for making moulding with beadwork +n02815749 a cup (usually without a handle) +n02815834 a flatbottomed jar made of glass or plastic; used for chemistry +n02815950 long thick piece of wood or metal or concrete, etc., used in construction +n02816494 a balance consisting of a lever with two equal arms and a pan suspended from each arm +n02816656 a small cloth bag filled with dried beans; thrown in games +n02816768 a small skullcap; formerly worn by schoolboys and college freshmen +n02817031 a rotating support placed between moving parts to allow them to move easily +n02817251 a rein designed to keep the horse's head in the desired position +n02817386 any wall supporting a floor or the roof of a building +n02817516 tall hat; worn by some British soldiers on ceremonial occasions +n02817650 an implement for beating +n02817799 a musical instrument that sounds by means of a vibrating reed +n02818135 a hat made with the fur of a beaver (or similar material) +n02818254 a movable piece of armor on a medieval helmet used to protect the lower face +n02818687 a mercury thermometer that measures small differences or changes in temperature +n02818832 a piece of furniture that provides a place to sleep +n02819697 a foundation of earth or rock supporting a road or railroad track +n02820085 an overnight boardinghouse with breakfast +n02820210 coverings that are used on a bed +n02820556 a heavy corded fabric similar to corduroy; used for clothing +n02820675 a lightweight jacket worn over bedclothes (as when sitting in bed) +n02821202 a shallow vessel used by a bedridden patient for defecation and urination +n02821415 any of 4 vertical supports at the corners of a bedstead +n02821543 bedding rolled up for carrying +n02821627 a room used primarily for sleeping +n02821943 furniture intended for use in a bedroom +n02822064 a furnished sitting room with sleeping accommodations (and some plumbing) +n02822220 decorative cover for a bed +n02822399 (usually plural) one of the springs holding up the mattress of a bed +n02822579 the framework of a bed +n02822762 a photograph of a muscular man in minimal attire +n02822865 a man-made receptacle that houses a swarm of bees +n02823124 an electronic device that generates a series of beeps when the person carrying it is being paged +n02823335 a barrel that holds beer +n02823428 a bottle that holds beer +n02823510 a can that holds beer +n02823586 tavern with an outdoor area (usually resembling a garden) where beer and other alcoholic drinks are served +n02823750 a relatively large glass for serving beer +n02823848 a hall or barroom featuring beer and (usually) entertainment +n02823964 a drip mat placed under a glass of beer +n02824058 a mug intended for serving beer +n02824152 a wood or metal bar to which a rope can be secured (as on a ship or in mountain climbing) +n02824319 a room (often at the top of a tower) where bells are hung +n02824448 a hollow device made of metal that makes a ringing sound when struck +n02825153 a round arch resting on corbels +n02825240 a stoneware drinking jug with a long neck; decorated with a caricature of Cardinal Bellarmine (17th century) +n02825442 trousers with legs that flare; worn by sailors; absurdly wide hems were fashionable in the 1960s +n02825657 a small shelter for bells; has a gable or shed roof +n02825872 a foundry where bells are cast +n02825961 an extension of a gable that serves as a bell cote +n02826068 a bell-shaped glass cover used to protect and display delicate objects or to cover scientific apparatus or to contain gases +n02826259 a mechanical device that blows a strong current of air; used to make a fire burn more fiercely or to sound a musical instrument +n02826459 a handle or cord that is pulled to ring a doorbell or a servant's bell etc. +n02826589 a button that is pushed to ring a bell +n02826683 a seat that has a bell shape (on some 18th century chairs) +n02826812 a bell-shaped tent +n02826886 a tower that supports or shelters a bell +n02827148 a cloth band that is worn around the waist (as on infants until the navel has healed) +n02827606 a band to tie or buckle around the body (usually at the waist) +n02828115 ammunition (usually of small caliber) loaded in flexible linked strips for use in a machine gun +n02828299 the buckle used to fasten a belt +n02828427 the material of which belts are made +n02828884 a long seat for more than one person +n02829246 a clamp used to hold work in place on a workbench +n02829353 any of various stops on a workbench against which work can be pushed (as while chiseling or planing) +n02829510 lathe mounted on a workbench +n02829596 a small punch press mounted on a workbench +n02830157 a tool for bending +n02831237 a cap with no brim or bill; made of soft cloth +n02831335 a limousine with a glass partition between the front and back seats +n02831595 short pants that end at the knee +n02831724 a bed on a ship or train; usually in tiers +n02831894 a broom made of twigs tied together on a long handle +n02831998 a refractory-lined furnace used to convert pig iron into steel by the Bessemer process +n02833040 a house of worship (especially one for sailors) +n02833140 a licensed bookmaker's shop that is not at the race track +n02833275 a cyclotron that accelerates protons up to several billion electron volts +n02833403 a hand tool consisting of two rules that are hinged together so you can draw or measure angles of any size +n02833793 gears that mesh at an angle +n02834027 the ordinary clarinet with a middle range +n02834397 top part of an apron; covering the chest +n02834506 an attractive outfit +n02834642 a cocked hat with the brim turned up to form two points +n02834778 a wheeled vehicle that has two wheels and is moved by foot pedals +n02835271 a bicycle with two sets of pedals and two seats +n02835412 a chain that transmits the power from the pedals to the rear wheel of a bicycle +n02835551 a clip worn around a cyclist's ankles that keeps trousers from becoming caught in the bicycle chain +n02835724 a small pump that fills bicycle tires with air +n02835829 a rack for parking bicycles +n02835915 a seat for the rider of a bicycle +n02836035 the wheel of a bicycle +n02836174 a basin for washing genitals and anal area +n02836268 a stand to support a corpse or a coffin prior to burial +n02836392 a coffin along with its stand +n02836513 an interior door +n02836607 eyeglasses having two focal lengths, one for near vision and the other for far vision +n02836900 a reliable and deadly 15,000-pound fragmentation bomb that explodes just above ground with a large radius; the largest conventional bomb in existence; used in Afghanistan +n02837134 the large display board at the New York Stock Exchange that reports on stocks traded on the exchange +n02837567 the middle part of a slack rope (as distinguished from its ends) +n02837789 a woman's very brief bathing suit +n02837887 small and tight-fitting underpants; worn by women +n02838014 where the sides of the vessel curve in to form the bottom +n02838178 either of two lengthwise fins attached along the outside of a ship's bilge; reduces rolling +n02838345 a pump to remove bilgewater +n02838577 (nautical) a well where seepage drains to be pumped away +n02838728 a brim that projects to the front to shade the eyes +n02838958 a long-handled saw with a curved blade +n02839110 large outdoor signboard +n02839351 ball used in playing billiards +n02839592 a room in which billiards is played +n02839910 a container; usually has a lid +n02840134 something used to tie or bind +n02840245 holds loose papers or magazines +n02840515 a workshop where books are bound +n02840619 the protective covering on the front, back, and spine of a book +n02841063 a plastic bag used to line a trash or garbage bin +n02841187 a nonmagnetic housing for a ship's compass (usually in front of the helm) +n02841315 an optical instrument designed for simultaneous use by both eyes +n02841506 a light microscope adapted to the use of both eyes +n02841641 a microchip that uses tiny strands of DNA to latch onto and quickly recognize thousands of genes at a time; intended for use in a biological environment +n02841847 a loose one-piece garment worn to protect the wearer against dangerous biological or chemical agents +n02842133 a kind of early movie projector +n02842573 old fashioned airplane; has two wings one above the other +n02842809 a switch consisting of a twig or a bundle of twigs from a birch tree; used to hit people as punishment +n02843029 a canoe made with the bark of a birch tree +n02843158 an ornamental basin (usually in a garden) for birds to bathe in +n02843276 a cage in which a bird can be kept +n02843465 a device for imitating a birdcall +n02843553 an outdoor device that supplies food for wild birds +n02843684 a shelter for birds +n02843777 small lead shot for shotgun shells +n02843909 a stiff cap with ridges across the crown; worn by Roman Catholic clergy +n02844056 (chess) a piece that can be moved diagonally over unoccupied squares of the same color +n02844214 a small informal restaurant; serves wine +n02844307 the cutting part of a drill; usually pointed and threaded and is replaceable in a brace or bitstock or drill press +n02844714 piece of metal held in horse's mouth by reins and used to control the horse while riding +n02845130 a removable dental appliance that is worn in the palate for diagnostic or therapeutic purposes +n02845293 a dental X-ray film that can be held in place by the teeth during radiography +n02845985 a protective coating of asphalt and filter used on structural metals that are exposed to weathering +n02846141 black clothing (worn as a sign of mourning) +n02846260 (board games) the darker pieces +n02846511 sheet of slate; for writing with chalk +n02846619 an eraser that removes chalk marks from blackboard +n02846733 equipment that records information about the performance of an aircraft during flight +n02846874 the makeup (usually burnt cork) used by a performer in order to imitate a Negro +n02847461 a piece of metal covered by leather with a flexible handle; used for hitting people +n02847631 a black bow tie worn with a dinner jacket +n02847852 a wash that colors a surface black +n02848118 a bag that fills with air +n02848216 the flat part of a tool or weapon that (usually) has a cutting edge +n02848523 flat surface that rotates and pushes against air or water +n02848806 the part of the skate that slides on the ice +n02848921 a cartridge containing an explosive charge but no bullet +n02849154 bedding that keeps a person warm in bed +n02849885 a furnace for smelting of iron from iron oxide ores; combustion is intensified by a blast of air +n02850060 a small tube filled with detonating substances; used to detonate high explosives +n02850358 lightweight single-breasted jacket; often striped in the colors of a club or school +n02850732 an electrically powered mixer with whirling blades that mix or chop or liquefy foods +n02850950 a small nonrigid airship used for observation or as a barrage balloon +n02851099 a protective covering that keeps things out or hinders sight +n02851795 a curve or bend in the road that you cannot see around as you are driving +n02851939 a cloth used to cover the eyes +n02852043 flashy, ostentatious jewelry +n02852173 a light that flashes on and off; used as a signal or to send messages +n02852360 packaging in which a product is sealed between a cardboard backing and clear plastic cover +n02853016 housing in a large building that is divided into separate units +n02853218 prevents access or progress +n02853336 a ship that runs through or around a naval blockade +n02853745 pulley blocks with associated rope or cable +n02853870 a large bomb used to demolish extensive areas (as a city block) +n02854378 a stronghold that is reinforced for protection from enemy fire; with apertures for defensive fire +n02854532 a small plane used on end grains of wood +n02854630 a motor vehicle equipped to collect blood donations +n02854739 underpants worn by women +n02854926 a top worn by women +n02855089 a device that produces a current of air +n02855390 a burner that mixes air and gas to produce a very hot flame +n02855701 a high shoe with laces over the tongue +n02855793 a club used as a weapon +n02855925 blue clothing +n02856013 a blue poker chip with the highest value +n02856237 a short musket of wide bore with a flared muzzle +n02856362 a file with parallel edges +n02857365 a structure of boards +n02857477 a private house that provides accommodations and meals for paying guests +n02857644 a room where a committee meets (such as the board of directors of a company) +n02857907 the boarding that surrounds an ice hockey rink +n02858304 a small vessel for travel on water +n02859184 a stiff hat made of straw with a flat crown +n02859343 pole-handled hook used to pull or push boats +n02859443 a shed at the edge of a river or lake; used to store boats +n02859557 a seat consisting of a board and a rope; used while working aloft or over the side of a ship +n02859729 a train taking passengers to or from a port +n02859955 a place where boats are built or maintained or stored +n02860415 a winder around which thread or tape or film or other flexible materials can be wound +n02860640 a flat wire hairpin whose prongs press tightly together; used to hold bobbed hair in place +n02860847 a long racing sled (for 2 or more people) with a steering mechanism +n02861022 formerly two short sleds coupled together +n02861147 wooden ball that is bowled in the Italian game of bocce +n02861286 a small Hispanic shop selling wine and groceries +n02861387 part of a dress above the waist +n02861509 a blunt needle for threading ribbon through loops +n02861658 a small sharp-pointed tool for punching holes in leather or fabric +n02861777 formerly a long hairpin; usually with an ornamental head +n02861886 the external structure of a vehicle +n02862048 armor that protects the wearer's whole body +n02862916 lotion applied to the body after bathing +n02863014 a one-piece tight-fitting undergarment for women that covers the torso (and may have sleeves and legs) +n02863176 plethysmograph consisting of a chamber surrounding the entire body; used in studies of respiration +n02863340 a pad worn by hockey goalkeeper +n02863426 the exterior body of a motor vehicle +n02863536 an automatic double-barreled antiaircraft gun +n02863638 an unidentified (and possibly enemy) aircraft +n02863750 sealed vessel where water is converted to steam +n02864122 a nuclear reactor that uses water as a coolant and moderator; the water boils in the reactor core and the steam produced can drive a steam turbine +n02864504 a short jacket; worn mostly by women +n02864593 a strong post (as on a wharf or quay or ship for attaching mooring lines) +n02864987 long heavy knife with a single edge; of Philippine origin +n02865351 a cord fastened around the neck with an ornamental clasp and worn as a necktie +n02865665 a screw that screws into a nut to form a fastener +n02865931 the part of a lock that is engaged or withdrawn with a key +n02866106 a sliding bar in a breech-loading firearm that ejects an empty cartridge and replaces it and closes the breech +n02866386 an implement for cutting bolts +n02866578 an explosive device fused to explode under specific conditions +n02867401 a twilled fabric used for dresses; the warp is silk and the weft is worsted +n02867592 strong sealed vessel for measuring heat of combustion +n02867715 a military aircraft that drops bombs during flight +n02867966 a jacket gathered into a band at the waist +n02868240 one of the smaller bombs that are released from a cluster bomb +n02868429 a device on an aircraft for carrying bombs +n02868546 an explosive bomb or artillery shell +n02868638 a chamber (often underground) reinforced against bombing and provided with food and living facilities; used during air raids +n02868975 a small porous bowl made of bone ash used in assaying to separate precious metals from e.g. lead +n02869155 fine porcelain that contains bone ash +n02869249 a percussion instrument consisting of a pair of hollow pieces of wood or bone (usually held between the thumb and fingers) that are made to click together (as by Spanish dancers) in rhythm with the dance +n02869563 any wheeled vehicle that is dilapidated and uncomfortable +n02869737 a small drum; played with the hands +n02869837 a hat tied under the chin +n02870526 a number of sheets (ticket or stamps etc.) bound together on one edge +n02870676 a bag in which students carry their books +n02870772 a bookbinder's workshop; a place for binding books +n02870880 a piece of furniture with shelves for storing books +n02871005 a support placed at the end of a row of books to keep them upright (on a shelf or table) +n02871147 a marker (a piece of paper or ribbon) placed between the pages of a book to mark the reader's place +n02871314 a van with shelves of books; serves as a mobile library or bookstore +n02871439 a shelf on which to keep books +n02871525 a shop where books are sold +n02871631 any of various more-or-less horizontal spars or poles used to extend the foot of a sail or for handling cargo or in mooring +n02871824 a pole carrying an overhead microphone projected over a film or tv set +n02871963 a curved piece of wood; when properly thrown will return to thrower +n02872333 the first stage of a multistage rocket +n02872529 an amplifier for restoring the strength of a transmitted signal +n02872752 footwear that covers the whole foot and lower leg +n02873520 protective casing for something that resembles a leg +n02873623 camp for training military recruits +n02873733 a slipper that is soft and wool (for babies) +n02873839 small area set off by walls for special use +n02874086 a small shop at a fair; for selling goods or entertainment +n02874214 a table (in a restaurant or bar) surrounded by two high-backed benches +n02874336 protective stockings worn with or in place of boots +n02874442 has V-shaped notch for pulling off boots +n02874537 a long lace for fastening boots +n02874642 the part of a boot above the instep +n02874750 a strap that is looped and sewn to the top of a boot for pulling it on +n02875436 a drill for penetrating rock +n02875626 an ionization chamber lined with boron or filled with boron trifluoride gas for counting low velocity neutrons +n02875948 formerly a British reform school for youths considered too young to send to prison +n02876084 cloth that covers the chest or breasts +n02876326 a rocking chair that has a high spindle back and a decorative top panel +n02876457 a wine bottle made of leather +n02876657 a glass or plastic vessel used for storing drinks or other liquids; typically cylindrical without handles and with a narrow neck that can be plugged or capped +n02877266 a vessel fitted with a flexible teat and filled with milk or formula; used as a substitute for breast feeding infants and very young children +n02877513 a place where bottles can be deposited for recycling +n02877642 a cylindrical brush on a thin shaft that is used to clean bottles +n02877765 a cap that seals a bottle +n02877962 an opener for removing caps or corks from bottles +n02878107 a plant where beverages are put into bottles with caps +n02878222 a cargo ship +n02878425 a fabric of uneven yarn that has an uneven knobby effect +n02878534 a lady's bedroom or private sitting room +n02878628 an inlaid furniture decoration; tortoiseshell and yellow and white metal form scrolls in cabinetwork +n02878796 an antipersonnel land mine +n02879087 an arrangement of flowers that is usually given as a present +n02879309 a shop that sells women's clothes and jewelry +n02879422 a flower that is worn in a buttonhole +n02879517 a slightly curved piece of resilient wood with taut horsehair strands; used in playing certain stringed instruments +n02879718 a weapon for shooting arrows, composed of a curved piece of resilient wood with a taut cord to propel the arrow +n02880189 a knot with two loops and loose ends; used to tie shoelaces +n02880393 a weapon consisting of arrows and the bow to shoot them +n02880546 stringed instruments that are played with a bow +n02880842 a stout hunting knife with a single edge +n02880940 a dish that is round and open at the top for serving foods +n02881193 a round vessel that is open at the top; used chiefly for holding food or liquids +n02881546 a wooden ball (with flattened sides so that it rolls on a curved course) used in the game of lawn bowling +n02881757 a felt hat that is round and hard with a narrow brim +n02881906 a loop knot that neither slips nor jams +n02882190 a building that contains several alleys for bowling +n02882301 a large ball with finger holes used in the sport of bowling +n02882483 equipment used in bowling +n02882647 a club-shaped wooden object used in bowling; set up in triangular groups of ten as the target +n02882894 a special shoe worn when bowling +n02883004 a spar projecting from the bow of a vessel +n02883101 the string of an archer's bow +n02883205 a man's tie that ties in a bow +n02883344 a (usually rectangular) container; may have a lid +n02884225 private area in a theater or grandstand where a small group can watch the performance +n02884450 the driver's seat on a coach +n02884859 a beam built up from boards; has a hollow rectangular cross section +n02884994 a simple camera shaped like a rectangular box +n02885108 a freight car with roof and sliding doors in the sides +n02885233 a short coat that hangs loosely from the shoulders +n02885338 equipment used in boxing +n02885462 boxing equipment consisting of big and padded coverings for the fists of the fighters; worn for the sport of boxing +n02885882 the office where tickets of admission are sold +n02886321 a coiled bedspring in a frame that is covered with cloth +n02886434 a wrench with a closed loop (a socket) that fits over a nut or bolt head +n02886599 a structural member used to stiffen a framework +n02887079 an appliance that corrects dental irregularities +n02887209 a support that steadies or strengthens something else +n02887489 elastic straps that hold trousers up (usually used in the plural) +n02887832 a drill consisting of a bit and a brace to hold and turn it +n02887970 jewelry worn around the wrist for decoration +n02888270 a protective covering for the wrist or arm that is used in archery and fencing and other sports +n02888429 a wrench shaped like a brace (has a handle shaped like a crank) and a socket head +n02888569 a support projecting from a wall (as to hold a shelf) +n02888898 an awl for making small holes for brads or small screws +n02889425 a restraint used to slow or stop a vehicle +n02889646 anything that slows or hinders a process +n02889856 a band that can be tightened around a shaft to stop its rotation +n02889996 a cylinder that contains brake fluid that is compressed by a piston +n02890188 a disk or plate that is fixed to the wheel; pressure is applied to it by the brake pads +n02890351 a hollow cast-iron cylinder attached to the wheel that forms part of the brakes +n02890513 the lining on the brake shoes that comes in contact with the brake drum +n02890662 one of the pads that apply friction to both sides of the brake disk +n02890804 foot pedal that moves a piston in the master brake cylinder +n02890940 a restraint provided when the brake linings are moved hydraulically against the brake drum to retard the wheel's rotation +n02891188 a braking device consisting of a combination of interacting parts that work to slow a motor vehicle +n02891788 a wind instrument that consists of a brass tube (usually of variable length) that is blown by means of a cup-shaped or funnel-shaped mouthpiece +n02892201 a memorial made of brass +n02892304 an ornament or utensil made of brass +n02892392 armor plate that protects the arm +n02892499 a small restaurant serving beer and wine as well as food; usually cheap +n02892626 (formerly) a golfing wood with a face more elevated that a driver but less than a spoon +n02892767 an undergarment worn by women to support their breasts +n02892948 a small metal weapon; worn over the knuckles on the back of the hand +n02893269 a partition (often temporary) of planks or cloth that is used to control ventilation in a mine +n02893418 large metal container in which coal or charcoal is burned; warms people who must stay outside for long times +n02893608 a basket for serving bread +n02893692 a container used to keep bread or cake in +n02893941 a knife used to cut bread +n02894024 an article that is fragile and easily broken +n02894158 a place for light meals (usually near a kitchen) +n02894337 a table where breakfast is eaten +n02894605 a protective structure of stone or concrete; extends from shore into the water to prevent a beach from washing away +n02894847 a portable drill with a plate that is pressed against the chest to force the drill point into the work +n02895008 an implant for cosmetic purposes to replace a breast that has been surgically removed +n02895154 armor plate that protects the chest; the front part of a cuirass +n02895328 a pocket inside of a man's coat +n02895438 a device that measures chemicals (especially the alcohol content) in a person's expired breath +n02896074 a metal block in breech-loading firearms that is withdrawn to insert a cartridge and replaced to close the breech before firing +n02896294 a garment that provides covering for the loins +n02896442 trousers ending above the knee +n02896694 a life buoy in the form of a ring with short breeches for support; used to transfer people from a ship +n02896856 a gun that is loaded at the breech +n02896949 a nuclear reactor that produces more fissile material than it burns +n02897097 a submachine gun operated by gas pressure; used by the British in World War II +n02897389 a combination brewery and restaurant; beer is brewed for consumption on the premises and served along with food +n02897820 rectangular block of clay baked by the sun or in a kiln; used as a building or paving material +n02898093 a kiln for making bricks +n02898173 a hammer used in laying bricks +n02898269 a trowel used in masonry +n02898369 masonry done with bricks and mortar +n02898585 a gown worn by the bride at a wedding +n02898711 a structure that allows people or vehicles to cross an obstacle such as a river or canal or railway etc. +n02899439 the link between two lenses; rests on the nose +n02900160 headgear for a horse; includes a headstall and bit and reins to give the rider or driver control +n02900459 a path suitable for riding or leading horses (but not for cars) +n02900594 a bit resembling a snaffle bit; used with a separate curb +n02900705 a case with a handle; for carrying papers or files or books +n02900857 a bomb consisting of an explosive and timer hidden inside a briefcase +n02900987 a portable computer housed in a box that resembles a briefcase +n02901114 short tight-fitting underpants (trade name Jockey shorts) +n02901259 a penal institution (especially on board a ship) +n02901377 two-masted sailing vessel square-rigged on both masts +n02901481 a medieval coat of chain mail consisting of metal rings sewn onto leather or cloth +n02901620 two-masted sailing vessel square-rigged on the foremast and fore-and-aft rigged on the mainmast +n02901793 a pomade to make the hair manageable and lustrous +n02901901 a code name for a small computerized heat-seeking missile that was supposed to intercept and destroy enemy missiles +n02902079 a circular projection that sticks outward from the crown of a hat +n02902687 a brush that is made with the short stiff hairs of an animal or plant +n02902816 informal term for breeches +n02902916 an arrow with a wide barbed head +n02903006 a large ax with a broad cutting blade +n02903126 a small spit or skewer +n02903204 a mechanical device for scattering something (seed or fertilizer or sand etc.) in all directions +n02903727 a closely woven silk or synthetic fabric with a narrow crosswise rib +n02903852 a densely textured woolen fabric with a lustrous finish +n02904109 a short-handled hatchet with a broad blade opposite a hammerhead +n02904233 a carpet woven on a wide loom to obviate the need for seams +n02904505 all of the armament that is fired from one side of a warship +n02904640 a sword with a broad blade and (usually) two cutting edges; used to cut rather than stab +n02904803 thick heavy expensive material with a raised pattern +n02904927 a thick and heavy shoe +n02905036 an oven or part of a stove used for broiling +n02905152 an arch with a gap at the apex; the gap is usually filled with some decoration +n02905886 a slender tubular instrument used to examine the bronchial tubes +n02906734 a cleaning implement for sweeping; bundle of straws or twigs attached to a long handle +n02906963 a small room for storing brooms and other cleaning equipment +n02907082 the handle of a broom +n02907296 light carriage; pulled by a single horse +n02907391 a portable .30 caliber automatic rifle operated by gas pressure and fed by cartridges from a magazine; used by United States troops in World War I and in World War II and in the Korean War +n02907656 a belt-fed machine gun capable of firing more than 500 rounds per minute; used by United States troops in World War II and the Korean War +n02907873 a row house built of brownstone; reddish brown in color +n02908123 a woman's short housecoat or wrapper +n02908217 an implement that has hairs or bristles firmly set into a handle +n02908773 a carpet with a strong linen warp and a heavy pile of colored woolen yarns drawn up in uncut loops to form a pattern +n02908951 fine lace with a raised or applique design +n02909053 a dome-shaped covering made of transparent glass or plastic +n02909165 an instrument that records the tracks of ionizing particles +n02909285 a kind of ink-jet printer +n02909706 an open horse-drawn carriage with four wheels; has a seat attached to a flexible board between the two axles +n02909870 a roughly cylindrical vessel that is open at the top +n02910145 a low single seat as in cars or planes +n02910241 (formerly) a cheap saloon selling liquor by the bucket +n02910353 fastener that fastens together two ends of a belt or strap; often has loose prong +n02910542 a coarse cotton fabric stiffened with glue; used in bookbinding and to stiffen clothing +n02910701 a saw that is set in a frame in the shape of an H; used with both hands to cut wood that is held in a sawbuck +n02910864 breeches made of buckskin +n02910964 an implement consisting of soft material mounted on a block; used for polishing (as in manicuring) +n02911332 a power tool used to buff surfaces +n02911485 (computer science) a part of RAM used for temporary storage of data that is waiting to be sent to a device; used to compensate for differences in the rate of flow of data between components of a computer system +n02912065 a piece of furniture that stands at the side of a dining room; has shelves and drawers +n02912319 a wheel that is covered with soft material +n02912557 a small lightweight carriage; drawn by a single horse +n02912894 a brass instrument without valves; used for military calls and fanfares +n02913152 a structure that has a roof and walls and stands more or less permanently in one place +n02914991 a whole structure (as a building) made up of interconnected or related structures +n02915904 a clip with a spring that closes the metal jaws +n02916065 a wrench designed to provide a firm grip on something +n02916179 large powerful tractor; a large blade in front flattens areas of ground +n02916350 a projectile that is fired from a gun +n02916936 a vest capable of resisting the impact of a bullet +n02917067 a high-speed passenger train +n02917377 a portable loudspeaker with built-in microphone and amplifier +n02917521 gold or silver in bars or ingots +n02917607 a small carpenter's plane with the cutting edge near the front +n02917742 a large cell where prisoners (people awaiting trial or sentence or refugees or illegal immigrants) are confined together temporarily +n02917964 a place on a baseball field where relief pitchers can warm up during a game +n02918112 a stadium where bullfights take place +n02918330 a fencelike structure around a deck (usually plural) +n02918455 a small boat that ferries supplies and commodities for sale to a larger ship at anchor +n02918595 a mechanical device consisting of bars at either end of a vehicle to absorb shock and prevent serious damage +n02918831 a glass filled to the brim (especially as a toast) +n02918964 a small low-powered electrically powered vehicle driven on a special platform where there are many others to be dodged +n02919148 vertical bars attached to a bumper to prevent locking bumpers with another vehicle +n02919308 a jack for lifting a motor vehicle by the bumper +n02919414 a package of several things tied together for carrying or storing +n02919648 a plug used to close a hole in a barrel or flask +n02919792 a small house with a single story +n02919890 an elasticized rope +n02919976 a hole in a barrel or cask; used to fill or empty it +n02920083 a rough bed (as at a campsite) +n02920164 a long trough for feeding cattle +n02920259 beds built one above the other +n02920369 a hazard on a golf course +n02920503 a fortification of earth; mostly or entirely below ground +n02920658 a large container for storing fuel +n02921029 a gas burner used in laboratories; has an air valve to regulate the mixture of gas and air +n02921195 a loosely woven fabric used for flags, etc. +n02921292 small bit used in dentistry or surgery +n02921406 a lightweight belted raincoat typically made of tan gabardine with a distinctive tartan lining; named for the original manufacturer +n02921592 measuring instrument consisting of a graduated glass tube with a tap at the bottom; used for titration +n02921756 a warning device that is tripped off by the occurrence of a burglary +n02921884 a chamber that is used as a grave +n02922159 cloth used to cover a corpse in preparation for burial +n02922292 (archeology) a heap of earth placed over prehistoric tombs +n02922461 a chisel of tempered steel with a sharp point; used for engraving +n02922578 a loose garment (usually with veiled holes for the eyes) worn by Muslim women especially in India and Pakistan +n02922798 coarse jute fabric +n02922877 a bag into which secret documents are placed before being burned +n02923129 an apparatus for burning fuel (or refuse) +n02923535 a long hooded cloak woven of wool in one piece; worn by Arabs and Moors +n02923682 a fully automatic pistol; a small submachine gun +n02923915 rotary file for smoothing rough edges left on a workpiece +n02924116 a vehicle carrying many passengers; used for public transport +n02925009 a basket large enough to hold a bushel +n02925107 a cylindrical metal lining used to reduce friction +n02925385 a loose fitting jacket; resembles a shirt with four patch pockets and a belt +n02925519 a suit of clothes traditionally worn by businessmen +n02925666 a boot reaching halfway up to the knee +n02926426 a close-fitting and strapless top without sleeves that is worn by women either as lingerie or for evening dress +n02926591 a framework worn at the back below the waist for giving fullness to a woman's skirt +n02927053 a large sharp knife for cutting or trimming meat +n02927161 a shop in which meat and poultry (and sometimes fish) are sold +n02927764 a small dish (often with a cover) for holding butter at the table +n02927887 a valve in a carburetor that consists of a disc that turns and acts as a throttle +n02928049 a small knife with a dull blade; for cutting or spreading butter +n02928299 a hinge mortised flush into the edge of the door and jamb +n02928413 a joint made by fastening ends together without overlapping +n02928608 a round fastener sewn to shirts and coats etc to fit through buttonholes +n02929184 a hook for pulling a button through a buttonhole +n02929289 a support usually of stone or brick; supports the wall of a building +n02929462 a blunt arrow without a barb; an arrow used for target practice +n02929582 a butt joint that is welded +n02929923 a small jet-propelled winged missile that carries a bomb +n02930080 a signaling device that makes a buzzing sound +n02930214 trademark for men's underwear +n02930339 a capacitor that provides low impedance over certain (high) frequencies +n02930645 a side road little traveled (as in the countryside) +n02930766 a car driven by a person whose job is to take passengers where they want to go in exchange for money +n02931013 small two-wheeled horse-drawn carriage; with two seats and a folding hood +n02931148 a compartment at the front of a motor vehicle or locomotive where driver sits +n02931294 a small tent used as a dressing room beside the sea or a swimming pool +n02931417 a spot that is open late at night and that provides entertainment (as singers or dancers) as well as dancing and food and drink +n02931836 a heavy wooden pole (such as the trunk of a young fir) that is tossed as a test of strength (in the Highlands of northern Scotland) +n02932019 the enclosed compartment of an aircraft or spacecraft where passengers are carried +n02932400 a small house built of wood; usually in a wooded area +n02932523 a car on a freight train for use of the train crew; usually the last car on the train +n02932693 a class of accommodations on a ship or train or plane that are less expensive than first class accommodations +n02932891 a large motorboat that has a cabin and plumbing and other conveniences necessary for living on board +n02933112 a piece of furniture resembling a cupboard with doors and shelves and drawers; for storage or display +n02933340 housing for electronic instruments, as radio or television +n02933462 a storage compartment for clothes and valuables; usually it has a lock +n02933649 woodwork finished by hand by a cabinetmaker +n02933750 a liner with cabins for passengers +n02933990 a television system that transmits over cables +n02934168 a conductor for transmitting electrical or optical signals or electric power +n02934451 a conveyance for passengers or freight on a cable railway +n02935017 (computer science) RAM memory that is set aside as a specialized buffer storage that is continually updated; used to optimize data transfers between system elements with different characteristics +n02935387 a can for storing tea +n02935490 an atomic clock based on the energy difference between two states of the caesium nucleus in a magnetic field +n02935658 a small restaurant where drinks and snacks are sold +n02935891 a restaurant where you serve yourself and pay a cashier +n02936176 a tray for carrying your food in a cafeteria +n02936281 informal British term for a cafe +n02936402 a (cotton or silk) cloak with full sleeves and sash reaching down to the ankles; worn by men in the Levant +n02936570 a woman's dress style that imitates the caftan cloaks worn by men in the Near East +n02936714 an enclosure made or wire or metal bars in which birds or animals can be kept +n02936921 the net that is the goal in ice hockey +n02937010 lightweight parka; waterproof +n02937336 a two-wheeled military vehicle carrying artillery ammunition +n02937958 the folding hood of a horse-drawn carriage +n02938218 a shoe covering the ankle; worn by ancient Romans +n02938321 a water-base paint containing zinc oxide and glue and coloring; used as a wash for walls and ceilings +n02938886 a small machine that is used for mathematical calculations +n02939185 a very large pot that is used for boiling +n02939763 coarse cloth with a bright print +n02939866 an instrument for measuring the distance between two points (often used in the plural) +n02940289 a bulletin board backstage in a theater +n02940385 a center equipped to handle a large volume of telephone calls (especially for taking orders or serving customers) +n02940570 a small display that will show you the telephone number of the party calling you +n02940706 a musical instrument consisting of a series of steam whistles played from a keyboard +n02941095 a measuring instrument that determines quantities of heat +n02941228 a high-crowned black cap (usually made of felt or sheepskin) worn by men in Turkey and Iran and the Caucasus +n02941845 a medieval hood of mail suspended from a basinet to protect the head and neck +n02942015 an arch with a straight horizontal extrados and a slightly arched intrados +n02942147 a finely woven white linen +n02942349 a portable television camera and videocassette recorder +n02942460 a soft tan cloth made with the hair of a camel +n02942699 equipment for taking photographs (usually consisting of a lightproof box with a lens at one end and light-sensitive film at the other) +n02943241 a lens that focuses the image in a camera +n02943465 an optical device consisting of an attachment that enables an observer to view simultaneously the image and a drawing surface for sketching it +n02943686 a darkened enclosure in which images of outside objects are projected through a small aperture or lens onto a facing surface +n02943871 a tripod used to support a camera +n02943964 a loose shirt or tunic; originally worn in the Middle Ages +n02944075 a short negligee +n02944146 a short sleeveless undergarment for women +n02944256 a fabric of Asian origin; originally made of silk and camel's hair +n02944459 device or stratagem for concealment or deceit +n02944579 fabric dyed with splotches of green and brown and black and tan; intended to make the wearer of a garment made of this fabric hard to distinguish from the background +n02944826 temporary living quarters specially built by the army for soldiers +n02945161 temporary lodgings in the country for travelers or vacationers +n02945813 shelter for persons displaced by war or political oppression or for religious beliefs +n02945964 a broad-brimmed felt hat with a high crown; formerly worn by the United States Army and Marine personnel +n02946127 a bell tower; usually stands alone unattached to a building +n02946270 a light folding chair +n02946348 a recreational vehicle equipped for camping out while traveling +n02946509 a trailer equipped for occupancy (especially for holiday trips) +n02946753 a folding stool +n02946824 has cams attached to it +n02946921 airtight sealed metal container for food or drink or paint etc. +n02947212 long and narrow strip of water made for boats or for irrigation +n02947660 a long boat that carries freight and is narrow enough to be used in canals +n02947818 branched candlestick; ornamental; has several lights +n02947977 a miniature camera with a fast lens +n02948072 stick of wax with a wick in the middle +n02948293 a bowling pin that is thin by comparison with a tenpin +n02948403 an implement with a small cup at the end of a handle; used to extinguish the flame of a candle +n02948557 a holder with sockets for candles +n02948834 loops of soft yarn are cut to give a tufted pattern +n02948942 a thermometer used to determine the temperature of candy syrups during cooking +n02949084 a stiff switch used to hit students as punishment +n02949202 a stick that people can lean on to help them walk +n02949356 an instrument of punishment formerly used in China for petty criminals; consists of a heavy wooden collar enclosing the neck and arms +n02949542 metal container for storing dry foods such as tea or flour +n02950018 a factory where food is canned +n02950120 a small can +n02950186 a wooden bucket +n02950256 a large artillery gun that is usually on wheels +n02950482 heavy automatic gun fired from an airplane +n02950632 (Middle Ages) a cylindrical piece of armor plate to protect the arm +n02950826 heavy gun fired from a tank +n02950943 a solid projectile that in former times was fired from a cannon +n02951358 small and light boat; pointed at both ends; propelled with a paddle +n02951585 a device for cutting cans open +n02951703 a jar used in ancient Egypt to contain entrails of an embalmed body +n02951843 a covering (usually of cloth) that serves as a roof to shelter an area from the weather +n02952109 the umbrellalike part of a parachute that fills with air +n02952237 the transparent covering of an aircraft cockpit +n02952374 a flask for carrying water; used by soldiers or travelers +n02952485 restaurant in a factory; where workers can eat +n02952585 a recreation room in an institution +n02952674 a restaurant outside; often for soldiers or policemen +n02952798 sells food and personal items to personnel at an institution or school or camp etc. +n02952935 a peavey having a hook instead of a spike; used for handling logs +n02953056 projecting horizontal beam fixed at one end only +n02953197 bridge constructed of two cantilevers that meet in the middle +n02953455 the back of a saddle seat +n02953552 a soft thick crinkled dress crepe; heavier than crepe de Chine +n02953673 a heavy, closely woven fabric (used for clothing or chairs or sails or tents) +n02953850 the mat that forms the floor of the ring in which boxers or professional wrestlers compete +n02954163 a tent made of canvas fabric +n02954340 a tight-fitting headdress +n02954938 a top (as for a bottle) +n02955065 something serving as a cover or protection +n02955247 an electrical device characterized by its capacity to store an electric charge +n02955540 stable gear consisting of a decorated covering for a horse, especially (formerly) for a warhorse +n02955767 a sleeveless garment like a cloak but shorter +n02956393 a warship of the first rank in size and armament +n02956699 a building occupied by a state legislature +n02956795 a bottle opener to pry off caps +n02956883 a long cloak with a hood that can be pulled over the head +n02957008 a long overcoat with a hood that can be pulled over the head +n02957135 a threaded screw for machine parts; screws into a tapped hole +n02957252 a windlass rotated in a horizontal plane around a vertical axis; used on ships for weighing anchor or raising heavy sails +n02957427 a stone that forms the top of wall or building +n02957755 a small container +n02957862 a wooden armchair with a saddle seat and a low back that has vertical spindles +n02958343 a motor vehicle with four wheels; usually propelled by an internal combustion engine +n02959942 a wheeled vehicle adapted to the rails of railroad +n02960352 where passengers ride up and down +n02960690 an oblong metal ring with a spring clip; used in mountaineering to attach a rope to a piton or to connect two ropes +n02960903 a bottle with a stopper; for serving wine or water +n02961035 an inn in some eastern countries with a large courtyard that provides accommodation for caravans +n02961225 a lead-acid storage battery in a motor vehicle; usually a 12-volt battery of six cells; the heart of the car's electrical system +n02961451 light automatic rifle +n02961544 a bomb placed in a car and wired to explode when the ignition is started or by remote control or by a timing device +n02961947 has carbon electrodes +n02962061 a large bottle for holding corrosive liquids; usually cushioned in a special container +n02962200 mixes air with gasoline vapor prior to explosion +n02962414 a trailer that can be loaded with new cars for delivery to sales agencies +n02962843 a small case for carrying business cards +n02962938 a piece of electronic equipment for continual observation of the function of the heart +n02963159 knitted jacket that is fastened up the front with buttons or a zipper +n02963302 an alphabetical listing of items (e.g., books in a library) with a separate card for each item +n02963503 medical instrument that records electric currents associated with contractions of the heart +n02963692 a directional microphone with a cardioid pattern of sensitivity +n02963821 the door of a car +n02963987 a room for gambling on card games +n02964075 a small light table with folding legs; can be folded for storage +n02964196 a table for playing cards (as in a casino) +n02964295 a ferry that transports motor vehicles +n02964634 the space in a ship or aircraft for storing cargo +n02964843 a large container for freight +n02964934 door used to load or unload cargo +n02965024 hatch opening into the cargo compartment +n02965122 a helicopter that carries cargo +n02965216 a liner that carries cargo +n02965300 a ship designed to carry cargo +n02965529 set of bells hung in a bell tower +n02965783 a mirror that the driver of a car can use +n02966068 a luxurious carriage suitable for nobility in the 16th and 17th century +n02966193 a large, rotating machine with seats for children to ride or amusement +n02966545 a hammer with a cleft at one end for pulling nails +n02966687 a set of carpenter's tools +n02966786 a straight bar of light metal with a spirit level in it +n02966942 a short-handled mallet with a wooden head used to strike a chisel or wedge +n02967081 a rule used by a carpenter +n02967170 a steel square used by carpenters; larger than a try square +n02967294 traveling bag made of carpet; widely used in 19th century +n02967407 implement for beating dust out of carpets +n02967540 a loom for weaving carpeting +n02967626 a pad placed under a carpet +n02967782 a cleaning implement with revolving brushes that pick up dirt as the implement is pushed over a carpet +n02967991 used to nail down carpets +n02968074 garage for one or two cars consisting of a flat roof supported on poles +n02968210 a large galleon sailed in the Mediterranean as a merchantman +n02968333 small individual study area in a library +n02968473 a vehicle with wheels drawn by one or more horses +n02969010 a machine part that carries something else +n02969163 a roundheaded bolt for timber; threaded along part of the shank; inserted into holes already drilled +n02969323 one of the two sides of a motorway where traffic travels in one direction only usually in two or three lanes +n02969527 a wrench designed for use with carriage bolts +n02969634 a knot used to connect the ends of two large ropes or hawsers +n02969886 a rack attached to a vehicle; for carrying luggage or skis or the like +n02970408 a capacious bag or basket +n02970534 box-shaped baby bed with handles (for a baby to sleep in while being carried) +n02970685 a seat in a car +n02970849 a heavy open wagon usually having two wheels and drawn by an animal +n02971167 a tire consisting of a rubber ring around the rim of an automobile wheel +n02971356 a box made of cardboard; opens by flaps on top +n02971473 a cartridge (usually with paper casing) +n02971579 a train that transports passengers and their automobiles +n02971691 ammunition consisting of a cylindrical casing containing an explosive charge and a bullet; fired from a rifle or handgun +n02971940 an electro-acoustic transducer that is the part of the arm of a record player that holds the needle and that is removable +n02972397 a broad belt with loops or pockets for holding ammunition +n02972714 a mechanism in a firearm that pulls an empty shell case out of the chamber and passes it to the ejector +n02972934 a fuse cased in a tube +n02973017 a metal frame or container holding cartridges; can be inserted into an automatic gun +n02973236 a wheel that has wooden spokes and a metal rim +n02973805 a large fork used in carving cooked meat +n02973904 a large knife used to carve cooked meat +n02974003 a wheel that has a tire and rim and hubcap; used to propel the car +n02974348 a supporting column carved in the shape of a person +n02974454 an apparatus used to liquefy air or oxygen etc. +n02974565 a number of transformers in series; provides a high-voltage source +n02974697 a portable container for carrying several objects +n02975212 a glass container used to store and display items in a shop or museum or home +n02975589 (printing) the receptacle in which a compositor has his type, which is divided into compartments for the different letters, spaces, or numbers +n02975994 a water-base paint made with a protein precipitated from milk +n02976123 a knife with a fixed blade that is carried in a sheath +n02976249 a metal blade with a handle; used as cutlery +n02976350 a window sash that is hinged (usually on one side) +n02976455 a window with one or more casements +n02976552 military barracks in a garrison town +n02976641 a metallic cylinder packed with shot and used as ammunition in a firearm +n02976815 a counter at a large party where you can purchase drinks by the glass +n02976939 a strongbox for holding cash +n02977058 an unattended machine (outside some banks) that dispenses money when a personal coded card is used +n02977330 a soft fabric made from the wool of the Cashmere goat +n02977438 a cashbox with an adding machine to register transactions; used in shops to add up the bill +n02977619 the enclosing frame around a door or window opening +n02977936 a public building for gambling and entertainment +n02978055 small and often ornate box for holding jewels or other valuables +n02978205 (15-16th century) any armor for the head; usually ornate without a visor +n02978367 a light open casque without a visor or beaver +n02978478 a reflecting telescope that has a paraboloidal primary mirror and a hyperboloidal secondary mirror; light is brought to a focus through an aperture in the center of the primary mirror +n02978753 large deep dish in which food can be cooked and served +n02978881 a container that holds a magnetic tape used for recording or playing sound or video +n02979074 a tape deck for playing and recording cassette tapes +n02979186 electronic equipment for playing cassettes +n02979290 a recorder for recording or playing cassettes +n02979399 a cassette that contains magnetic tape +n02979516 a black garment reaching down to the ankles; worn by priests or choristers +n02979836 bandage consisting of a firm covering (often made of plaster of Paris) that immobilizes broken bones while they heal +n02980036 a pivoting roller attached to the bottom of furniture or trucks or portable machines to make them movable +n02980203 a shaker with a perforated top for sprinkling powdered sugar +n02980441 a large building formerly occupied by a ruler and fortified against attack +n02980625 (chess) the piece that can move any number of unoccupied squares in a direction parallel to the sides of the chessboard +n02981024 an underground tunnel with recesses where bodies were buried (as in ancient Rome) +n02981198 a decorated bier on which a coffin rests in state during a funeral +n02981321 a converter that uses a platinum-iridium catalyst to oxidize pollutants and carbon monoxide into carbon dioxide and water; an antipollution device on an automotive exhaust system +n02981565 a chemical reactor for converting oils with high boiling points into fuels with lower boiling points in the presence of a catalyst +n02981792 a sailboat with two parallel hulls held together by single deck +n02981911 an engine that provided medieval artillery used during sieges; a heavy war engine for hurling large stones and other missiles +n02982232 a device that launches aircraft from a warship +n02982416 a sailboat with a single mast set far forward +n02982515 a receptacle for cat excrement +n02982599 a fastener that fastens or locks a door or window +n02983072 an enclosure or receptacle for odds and ends +n02983189 a mask to protect the face of the catcher in baseball +n02983357 a structure in which water is collected (especially a natural drainage area) +n02983507 a large tracked vehicle that is propelled by two endless metal belts; frequently used for moving earth in construction and farm work +n02983904 a throne that is the official chair of a bishop +n02984061 any large and important church +n02984203 the principal Christian church building of a bishop's diocese +n02984469 a thin flexible tube inserted into the body to permit introduction or withdrawal of fluids or to keep the passageway open +n02984699 a negatively charged electrode that is the source of electrons entering an electrical device +n02985137 a vacuum tube in which a hot cathode emits a beam of electrons that pass through a high voltage anode and are focused or deflected before hitting a phosphorescent screen +n02985606 a whip with nine knotted cords +n02985828 a hitch in the middle of rope that has two eyes into which tackle can be hooked +n02985963 a bottle that holds catsup +n02986066 a freight car for transporting cattle +n02986160 a bridge over a ditch consisting of parallel metal bars that allow pedestrians and vehicles to pass, but not cattle +n02986348 a cargo ship for the transport of livestock +n02987047 an instrument or substance used to destroy tissue for medical reasons (eg removal of a wart) by burning it with a hot iron or an electric current or a caustic or by freezing it +n02987379 a soft felt hat with a wide flexible brim +n02987492 a stout sword with a curved blade and thick back +n02987706 a concave molding shaped like a quarter circle in cross section +n02987823 a wall formed of two thicknesses of masonry with a space between them +n02987950 battery used to maintain the grid potential in a vacuum tube +n02988066 a clamp in the shape of the letter C +n02988156 a drive that reads a compact disc and that is connected to an audio system +n02988304 a stand-alone piece of electronic equipment that either has its own display or attaches to a television set +n02988486 a compact disc on which you can write only once and thereafter is read-only memory +n02988679 a compact disk that is used with a computer (rather than with an audio system); a large amount of digital information can be stored and accessed but it cannot be altered by the user +n02988963 a drive that is connected to a computer and on which a CD-ROM can be `played' +n02989099 a chest made of cedar +n02990373 the overhead upper surface of a covered space +n02990758 a musical instrument consisting of graduated steel plates that are struck by hammers activated by a keyboard +n02991048 a device that delivers an electric current as the result of a chemical reaction +n02991302 a room where a prisoner is kept +n02991847 storage space where wines are stored +n02992032 a division of a prison (usually consisting of several cells) +n02992211 a large stringed instrument; seated player holds it upright while playing +n02992368 a transparent paperlike product that is impervious to moisture and used to wrap candy or cigarettes etc. +n02992529 a hand-held mobile radiotelephone for use in an area divided into small sections, each with its own short-range transmitter/receiver +n02992795 transparent or semitransparent adhesive tape (trade names Scotch tape and Sellotape) used for sealing or attaching or mending +n02993194 a monument built to honor people whose remains are interred elsewhere or whose remains cannot be recovered +n02993368 a container for burning incense (especially one that is swung on a chain in a religious ritual) +n02993546 a building dedicated to a particular activity +n02994573 a tool with a conical point that is used to make indentations in metal (especially to mark points for drilling) +n02994743 a thermometer calibrated in degrees centigrade +n02995345 (computer science) the part of a computer (a microprocessor chip) that does most of the data processing +n02995871 a pump that use centrifugal force to discharge fluid into a pipe +n02995998 an apparatus that uses centrifugal force to separate particles from a suspension +n02997391 an artifact made of hard brittle material produced from nonmetallic minerals by firing at high temperatures +n02997607 utensils made from ceramic material +n02997910 a bowl for holding breakfast cereal +n02998003 a paper box in which breakfast cereals are sold +n02998107 a waterproof waxed cloth once used as a shroud +n02998563 a covered cistern; waste water and sewage flow into it +n02998696 (Yiddish) an inexpensive showy trinket +n02998841 a cloth used as a head covering (and veil and shawl) by Muslim and Hindu women +n02999138 a metal pan over a heater; used to cook or to keep things warm at the table +n02999410 a series of (usually metal) rings or links fitted into one another to make a flexible ligament +n02999936 anything that acts as a restraint +n03000134 a fence of steel wires woven into a diamond pattern +n03000247 (Middle Ages) flexible armor made of interlinked metal rings +n03000530 an impact printer that carries the type slugs by links of a revolving chain +n03000684 portable power saw; teeth linked to form an endless chain +n03001115 one of a chain of retail stores under the same management and selling the same merchandise +n03001282 a pipe wrench used for turning large pipes; an adjustable chain circles the pipe with its ends connected to the head whose teeth engage the pipe +n03001540 another name for chain tongs +n03001627 a seat for one person, with a support for the back +n03002096 a particular seat in an orchestra +n03002210 a ceremonial chair for an exalted or powerful person +n03002341 a ski lift on which riders (skiers or sightseers) are seated and carried up or down a mountainside; seats are hung from an endless overhead cable +n03002555 a carriage consisting of two wheels and a calash top; drawn by a single horse +n03002711 a long chair; for reclining +n03002816 a Swiss house with a sloping roof and wide eaves or a house built in this style +n03002948 a bowl-shaped drinking vessel; especially the Eucharistic cup +n03003091 a piece of calcite or a similar substance, usually in the shape of a crayon, that is used to write or draw on blackboards or other flat surfaces +n03003633 a soft lightweight fabric (usually printed) +n03004275 a receptacle for urination or defecation in the bedroom +n03004409 a lightweight fabric woven with white threads across a colored warp +n03004531 a bit that is used for beveling +n03004620 a plane that makes a beveled edge +n03004713 a piece of chamois used for washing windows or cars +n03004824 area around the altar of a church for the clergy and choir; often enclosed by a lattice or railing +n03005033 a government building housing the office of a chancellor +n03005147 an office of archives for public or ecclesiastic records; a court of public records +n03005285 branched lighting fixture; often ornate; hangs from the ceiling +n03005515 candles and other commodities sold by a chandler +n03005619 medieval plate armor to protect a horse's head +n03006626 reed pipe with finger holes on which the melody is played +n03006788 a chapel endowed for singing Masses for the soul of the donor +n03006903 (usually in the plural) leather leggings without a seat; joined by a belt; often have flared outer flaps; worn over trousers by cowboys to protect their legs +n03007130 a place of worship that has its own altar +n03007297 a house used as a residence by a chapter of a fraternity +n03007444 a building attached to a monastery or cathedral; used as a meeting place for the chapter +n03007591 a printer that prints a single character at a time +n03008177 a delicatessen that specializes in meats +n03008817 an accelerator in which high-energy ions escape from plasma following charge exchange +n03008976 a device for charging or recharging batteries +n03009111 a light four-wheel horse-drawn ceremonial carriage +n03009269 a two-wheeled horse-drawn battle vehicle; used in war and races in ancient Egypt and Greece and Rome +n03009794 a vault or building where corpses or bones are deposited +n03010473 the skeleton of a motor vehicle consisting of a steel frame supported on springs that holds the body and motor +n03010656 a metal mounting for the circuit components of an electronic device +n03010795 a long sleeveless vestment worn by a priest when celebrating Mass +n03010915 an impressive country house (or castle) in France +n03011018 a chain formerly worn at the waist by women; for carrying a purse or bunch of keys etc. +n03011355 one of the flat round pieces used in playing the game of checkers +n03011741 a counter in a supermarket where you pay for your purchases +n03012013 either of two straps of a bridle that connect the bit to the headpiece +n03012159 tray on which cheeses are served +n03012373 a coarse loosely woven cotton gauze; originally used to wrap cheeses +n03012499 a kitchen utensil (board or handle) with a wire for cutting cheese +n03012644 a press for shaping cheese curd +n03012734 a bomb laden with chemical agents that are released when the bomb explodes +n03012897 an industrial plant where chemicals are produced +n03013006 an apparatus for holding substances that are undergoing a chemical reaction +n03013438 a loose-fitting dress hanging straight from the shoulders without a waist +n03013580 a woman's sleeveless undergarment +n03013850 a heavy fabric woven with chenille cord; used in rugs and bedspreads +n03014440 any of 16 white and 16 black pieces used in playing the game of chess +n03014705 box with a lid; used for storage; usually large and sturdy +n03015149 an overstuffed davenport with upright armrests +n03015254 furniture with drawers for keeping clothes +n03015478 protective garment consisting of a pad worn in baseball by catchers and by football players +n03015631 defensive structure consisting of a movable obstacle composed of barbed wire or spikes attached to a wooden frame; used to obstruct cavalry +n03015851 a full length mirror mounted in a frame in which it can be tilted +n03016209 a movable barrier used in motor racing; sometimes placed before a dangerous corner to reduce speed as cars pass in single file +n03016389 a farm building for housing poultry +n03016609 a galvanized wire network with a hexagonal mesh; used to build fences +n03016737 an enclosed yard for keeping poultry +n03016868 a sheer fabric of silk or rayon +n03016953 a tall elegant chest of drawers +n03017070 a bedroom for a child +n03017168 a percussion instrument consisting of a set of tuned bells that are struck with a hammer; used as an orchestral instrument +n03017698 walls that project out from the wall of a room and surround the chimney base +n03017835 a corner by a fireplace +n03018209 high quality porcelain originally made only in China +n03018349 a cabinet (usually with glass doors) for storing and displaying china +n03018614 a thick twilled fabric of wool and cotton +n03018712 a collapsible paper lantern in bright colors; used for decorative purposes +n03018848 intricate or ingenious puzzle consisting of boxes within boxes +n03019198 a horizontal bar on which you can chin yourself +n03019304 a coarse twilled cotton fabric frequently used for uniforms +n03019434 trousers made with chino cloth +n03019685 a rest on which a violinist can place the chin +n03019806 a strap attached to a hat; passes under the chin and holds the hat in place +n03019938 a brightly printed and glazed cotton fabric +n03020034 electronic equipment consisting of a small crystal of a silicon semiconductor fabricated to carry out a number of electronic functions in an integrated circuit +n03020416 a small disk-shaped counter used to represent money when gambling +n03020692 an edge tool with a flat steel blade with a cutting edge +n03021228 a short mantle or cape fastened at the shoulder; worn by men in ancient Greece +n03024064 the area occupied by singers; the part of the chancel between sanctuary and nave +n03024233 a gallery in a church occupied by the choir +n03024333 a valve that controls the flow of air into the carburetor of a gasoline engine +n03024518 a coil of low resistance and high inductance used in electrical circuits to pass direct current and attenuate alternating current +n03025070 British slang (dated) for a prison +n03025165 a child's word for locomotive +n03025250 a woman's shoe with a very high thick sole +n03025886 a stringed instrument of the group including harps, lutes, lyres, and zithers +n03026506 a stocking that is filled with small Christmas presents +n03026907 an accurate timer for recording time +n03027001 an accurate clock (especially used in navigation) +n03027108 an instrument for accurate measurements of small intervals of time +n03027250 a holding device consisting of adjustable jaws that center a workpiece in a lathe or center a tool in a drill +n03027505 a wagon equipped with a cookstove and provisions (for cowboys) +n03027625 a shoe that comes up to the ankle and is laced through two or three pairs of eyelets; often made of suede +n03028079 a place for public (especially Christian) worship +n03028596 a bell in a church tower (usually sounded to summon people to church) +n03028785 a fanciful hat of the kind worn by Black women for Sunday worship +n03029066 can opener that has a triangular pointed end that pierces the tops of cans +n03029197 the tower of a church +n03029296 tight trousers worn by people from the Indian subcontinent (typically with a kameez or kurta) +n03029445 a vessel in which cream is agitated to separate butterfat from buttermilk +n03029925 a press that is used to extract the juice from apples +n03030262 a narrow paper band around a cigar +n03030353 a box for holding cigars +n03030557 an implement for cutting the tip off of a cigar +n03030880 small part of a cigarette that is left after smoking +n03031012 a small flat case for holding cigarettes; can be carried in a purse or a pocket +n03031152 a tube that holds a cigarette while it is being smoked +n03031422 a lighter for cigars or cigarettes +n03031756 stable gear consisting of a band around a horse's belly that holds the saddle in place +n03032252 a theater where films are shown +n03032453 an ornamental carving consisting of five arcs arranged in a circle +n03032811 any circular or rotating mechanism +n03033267 decorated metal band worn around the head +n03033362 an electrical device that provides a path for electrical current to flow +n03033986 a printed circuit that can be inserted into expansion slots in a computer to increase the computer's capabilities +n03034244 a device that trips like a switch and opens the circuit when overloaded +n03034405 electronic equipment consisting of a system of circuits +n03034516 a plane with a flexible face that can plane concave or convex surfaces +n03034663 a power saw that has a steel disk with cutting teeth on the periphery; rotates on a spindle +n03035252 a canvas tent to house the audience at a circus performance +n03035510 an artificial reservoir for storing liquids; especially an underground tank for storing rainwater +n03035715 a tank that holds the water used to flush a toilet +n03035832 a 16th century musical instrument resembling a guitar with a pear-shaped soundbox and wire strings +n03036022 a building that houses administrative offices of a municipal government +n03036149 painting depicting a city or urban area +n03036244 an urban university in a large city +n03036341 civilian garb as opposed to a military uniform +n03036469 ordinary clothing as distinguished from uniforms, work clothes, clerical garb, etc. +n03036701 a simple valve with a hinge on one side; allows fluid to flow in only one direction +n03036866 a device (generally used by carpenters) that holds things firmly together +n03037108 a dredging bucket with hinges like the shell of a clam +n03037228 metal striker that hangs inside a bell and makes a sound by hitting the side +n03037404 photographic equipment used to synchronize sound and motion picture; boards held in front of a movie camera are banged together +n03037590 a closed carriage with four wheels and seats for four passengers +n03037709 a single-reed instrument with a straight tube +n03038041 a form of voltaic cell once used as a standard for electromotive force +n03038281 a fastener (as a buckle or hook) that is used to hold two things together +n03038480 a large knife with one or more folding blades +n03038685 a room in a school where lessons take place +n03038870 an early stringed instrument like a piano but with more delicate sound +n03039015 a stringed instrument that has a keyboard +n03039259 target used in skeet or trapshooting +n03039353 an antipersonnel land mine whose blast is aimed at the oncoming enemy +n03039493 a large double-edged broadsword; formerly used by Scottish Highlanders +n03039827 shop where dry cleaning is done +n03039947 any of a large class of implements used for cleaning +n03040229 a pad used as a cleaning implement +n03040376 a room that is virtually free of dust or bacteria; used in laboratory work and in assembly or repair of precision equipment +n03040836 a road on which you are not allowed to stop (unless you have a breakdown) +n03041114 a fastener (usually with two projecting horns) around which a rope can be secured +n03041265 a metal or leather projection (as from the sole of a shoe); prevents slipping +n03041449 shoes with leather or metal projections on the soles +n03041632 a butcher's knife having a large square blade +n03041810 part of an interior wall rising above the adjacent roof with windows admitting light +n03042139 a coupler shaped like the letter U with holes through each end so a bolt or pin can pass through the holes to complete the coupling; used to attach a drawbar to a plow or wagon or trailer etc. +n03042384 the cords used to suspend a hammock +n03042490 a rock and adobe dwelling built on sheltered ledges in the sides of a cliff +n03042697 a framework of bars or logs for children to climb on +n03042829 the flattened part of a nail or bolt or rivet +n03042984 a small slip noose made with seizing +n03043173 a tool used to clinch nails or bolts or rivets +n03043274 a healthcare facility for outpatient care +n03043423 a mercury thermometer designed to measure the temperature of the human body; graduated to cover a range a few degrees on either side of the normal body temperature +n03043693 a hard brick used as a paving stone +n03043798 an instrument used by surveyors in order to measure an angle of inclination or elevation +n03043958 any of various small fasteners used to hold loose articles together +n03044671 a short piece of wire with alligator clips on both ends +n03044801 a device (as an earring, sunglasses, microphone etc.) that is attached by clips +n03044934 scissors for cutting hair or finger nails (often used in the plural) +n03045074 shears for cutting grass or shrubbery (often used in the plural) +n03045228 a fast sailing ship used in former times +n03045337 a loose outer garment +n03045698 anything that covers or conceals +n03045800 a room where coats and other articles can be left temporarily +n03046029 a woman's close-fitting hat that resembles a helmet +n03046133 a low transparent cover put over young plants to protect them from cold +n03046257 a timepiece that shows the time of day +n03046802 a physical pendulum used to regulate a clockwork mechanism +n03046921 a radio that includes a clock that can be set to turn it on automatically +n03047052 a tower with a large clock visible high up on an outside face +n03047171 any mechanism of geared wheels that is driven by a coiled spring; resembles the works of a mechanical clock +n03047690 footwear usually with wooden soles +n03047799 enamelware in which colored areas are separated by thin metal strips +n03047941 a courtyard with covered walks (as in religious institutions) +n03048883 a complete electrical circuit around which current flows or a signal circulates +n03049066 a television system that is not used for broadcasting but is connected by cables to designated monitors (as in a factory or theater) +n03049326 a control system with a feedback loop that is active +n03049457 a small private room for study or prayer +n03049782 a photographic lens with a short focal length used to take pictures at short ranges +n03049924 a flat woolen cap with a stiff peak +n03050026 a covering made of cloth +n03050453 a brush used for cleaning clothing +n03050546 a closet where clothes are stored +n03050655 a dryer that dries clothes wet from washing +n03050864 a hamper that holds dirty clothes to be washed or wet clothes to be dried +n03051041 a framework on which to hang clothes (as for drying) +n03051249 wood or plastic fastener; for holding clothes on a clothesline +n03051396 an upright pole with pegs or hooks on which to hang clothing +n03051540 a covering designed to be worn on a person's body +n03052464 a store where men's clothes are sold +n03052917 a short nail with a flat head; used to attach sheet metal to wood +n03053047 a knot used to fasten a line temporarily to a post or spar +n03053976 railroad car having a bar and tables and lounge chairs +n03054491 a room used for the activities of a club +n03054605 bomb consisting of a canister that is dropped from a plane and that opens to release a cluster of bomblets (usually fragmentation bombs) over a wide area +n03054901 a coupling that connects or disconnects driving and driven parts of a driving mechanism +n03055159 a pedal or lever that engages or disengages a rotating shaft and a driving mechanism +n03055418 a woman's strapless purse that is carried in the hand +n03055670 a carriage pulled by four horses with one driver +n03055857 a small building for housing coaches and carriages and other vehicles +n03056097 freight car with fixed sides and no roof; for transporting coal +n03056215 a chute for coal +n03056288 a shed for storing coal +n03056493 a hand shovel for shoveling coal +n03056583 a raised framework around a hatchway on a ship to keep water out +n03056873 a brake on a bicycle that engages with reverse pressure on the pedals +n03057021 an outer garment that has sleeves and covers the body from shoulder down; worn outdoors +n03057541 a button on a coat +n03057636 a closet for storing outerwear +n03057724 a dress that is tailored like a coat and buttons up the front +n03057841 a short close-fitting coat +n03057920 a hanger that is shaped like a person's shoulders and used to hang garments on +n03058107 a thin layer covering something +n03058603 a heavy fabric suitable for coats +n03058949 a layer of paint covering something else +n03059103 a rack with hooks for temporarily holding coats and hats +n03059236 the loose back flap of a coat that hangs below the waist +n03059366 a transmission line for high-frequency signals +n03059685 a dense elaborate spider web that is more efficient than the orb web +n03059934 a fabric so delicate and transparent as to resemble a web of a spider +n03060728 a high-voltage machine in which rectifiers charge capacitors that discharge and drive charged particles through an accelerating tube +n03061050 hat with opposing brims turned up and caught together to form points +n03061211 anything used as a toy horse (such as a rocking horse or one knee of an adult) +n03061345 a small light flimsy boat +n03061505 compartment where the pilot sits while flying the aircraft +n03061674 seat where the driver sits while driving a racing car +n03061819 a pit for cockfights +n03061893 a cap worn by court jesters; adorned with a strip of red +n03062015 a dress suitable for formal occasions +n03062122 a barroom in a hotel or restaurant where cocktails are served +n03062245 a shaker for mixing cocktails +n03062336 a small casserole in which individual portions can be cooked and served +n03062651 (15th-16th century) a flap for the crotch of men's tight-fitting breeches +n03062798 optical device used to follow the path of a celestial body and reflect its light into a telescope; has a movable and a fixed mirror +n03062985 a can for storing ground coffee +n03063073 a cup from which coffee is drunk +n03063199 filter (usually of paper) that passes the coffee and retains the coffee grounds +n03063338 a kitchen appliance for brewing coffee automatically +n03063485 a mill that grinds roasted coffee beans +n03063599 a mug intended for serving coffee +n03063689 tall pot in which coffee is brewed +n03063834 a stand (usually movable) selling hot coffee and food (especially at night) +n03063968 low table where magazines can be placed and coffee or cocktails are served +n03064250 an urn in which coffee is made and kept hot +n03064350 a chest especially for storing valuables +n03064562 a still consisting of an apparatus for the fractional distillation of ethanol from fermentation on an industrial scale +n03064758 box in which a corpse is buried or cremated +n03064935 tooth on the rim of gear wheel +n03065243 a skullcap worn by nuns under a veil or by soldiers under a hood of mail or formerly by British sergeants-at-law +n03065424 a structure consisting of something wound in a continuous series of loops +n03065708 reactor consisting of a spiral of insulated wire that introduces inductance into a circuit +n03066232 a transformer that supplies high voltage to spark plugs in a gasoline engine +n03066359 a spring in the shape of a coil +n03066464 the part of a slot machine that serves as a receptacle for the coins +n03066849 bowl-shaped strainer; used to wash or drain foods +n03067093 a cathode that is a source of electrons without being heated +n03067212 narrow chisel made of steel; used to cut stone or bricks +n03067339 a cream used cosmetically (mostly by women) for softening and cleaning the skin +n03067518 protective covering consisting of a wooden frame with a glass top in which small plants are protected from the cold +n03068181 a band that fits around the neck and is usually folded over +n03068998 anything worn or placed about the neck +n03069752 a complex of buildings in which an institution of higher education is housed +n03070059 a cone-shaped chuck used for holding cylindrical pieces in a lathe +n03070193 an accelerator in which two beams of particles are forced to collide head on +n03070396 a workplace consisting of a coal mine plus all the buildings and equipment connected with it +n03070587 optical device consisting of a tube containing a convex achromatic lens at one end and a slit at the other with the slit at the focus of the lens; light rays leave the slit as a parallel beam +n03070854 a small telescope attached to a large telescope to use in setting the line of the larger one +n03071021 a perfumed liquid made of essential oils and alcohol +n03071160 structure consisting of a row of evenly spaced columns +n03071288 an elongated fiberoptic endoscope for examining the entire colon from cecum to rectum +n03071552 a measuring instrument used in colorimetric analysis to determine the quantity of a substance from the color it yields with specific reagents +n03072056 a distinguishing emblem +n03072201 a television that transmits images in color +n03072440 a television tube that displays images in full color +n03072682 a wash of whitewash or other water-base paint tinted with a colored pigment +n03073296 a kind of revolver +n03073384 a sharp steel wedge that precedes the plow and cuts vertically through the soil +n03073545 a sepulchral vault or other structure having recesses in the walls to receive cinerary urns +n03073694 a niche for a funeral urn containing the ashes of the cremated dead +n03073977 (architecture) a tall vertical cylindrical structure standing upright and used to support a structure +n03074380 a vertical cylindrical structure standing alone and not supporting anything (such as a monument) +n03074855 a flat device with narrow pointed teeth on one edge; disentangles or arranges hair +n03075097 any of several tools for straightening fibers +n03075248 a machine that separates and straightens the fibers of cotton or wool +n03075370 lock that can be opened only by turning dials in a special sequence +n03075500 a woodworking plane that has interchangeable cutters of various shapes +n03075634 harvester that heads and threshes and cleans grain while moving across the field +n03075768 device used for an infant to suck or bite on +n03075946 a space module in which astronauts can live and control the spacecraft and communicate with earth +n03076411 a retail store that sells equipment and provisions (usually to military personnel) +n03076623 a snack bar in a film studio +n03076708 articles of commerce +n03077442 an ax with a long handle and a head that has one cutting edge and one blunt side +n03077616 a sitting room (usually at school or university) +n03077741 an artificial satellite that relays signals back to earth; moves in a geostationary orbit +n03078287 a system for communicating +n03078506 a center where the members of a community can gather for social or cultural activities +n03078670 switch for reversing the direction of an electric current +n03078802 a passenger train that is ridden primarily by passengers who travel regularly from one place to another +n03078995 a small cosmetics case with a mirror; to be carried in a woman's purse +n03079136 a small and economical car +n03079230 a digitally encoded recording on an optical disk that is smaller than a phonograph record; played back by a laser +n03079494 recording equipment for making compact disks +n03079616 a stairway or ladder that leads from one deck to another on a ship +n03079741 a partitioned section, chamber, or separate room within a larger enclosed area +n03080309 a space into which an area is subdivided +n03080497 navigational instrument for finding directions +n03080633 drafting instrument used for drawing circles +n03080731 compass in the form of a card that rotates so that 0 degrees or North points to magnetic north +n03080904 a handsaw with a narrow triangular blade for cutting curves +n03081859 an enclosure of residences and other building (especially in the Orient) +n03081986 a lens system consisting of two or more lenses on the same axis +n03082127 a pair of levers hinged at the fulcrum +n03082280 light microscope that has two converging lens systems: the objective and the eyepiece +n03082450 a cloth pad or dressing (with or without medication) applied firmly to some part of the body (to relieve discomfort or reduce fever) +n03082656 bandage that stops the flow of blood from an artery by applying pressure +n03082807 a mechanical device that compresses gasses +n03082979 a machine for performing calculations automatically +n03084420 a circuit that is part of a computer +n03084834 a tomograph that constructs a 3-D model of an object by combining parallel planes +n03085013 a keyboard that is a data input device for computers; arrangement of keys is modelled after the typewriter keyboard +n03085219 a device that displays signals on a computer screen +n03085333 (computer science) a network of computers +n03085602 a screen used to display the output of a computer to the user +n03085781 a store that sells computers to the small businessperson or personal user +n03085915 a system of one or more computers and associated software with common storage +n03086183 a penal camp where political prisoners or prisoners of war are confined (usually under harsh conditions) +n03086457 a grand piano suitable for concert performances +n03086580 a hall where concerts are given +n03086670 free-reed instrument played like an accordion by pushing its ends together to force air through the reeds +n03086868 coiled barbed wire used as an obstacle +n03087069 a machine with a large revolving drum in which cement is mixed with other materials to make concrete +n03087245 vacuum pump used to obtain a high vacuum +n03087366 lens used to concentrate light on an object +n03087521 a hollow coil that condenses by abstracting heat +n03087643 an apparatus that converts vapor into liquid +n03087816 microphone consisting of a capacitor with one plate fixed and the other forming the diaphragm moved by sound waves +n03088389 housing consisting of a complex of dwelling units (as an apartment house) in which each unit is individually owned +n03088580 one of the dwelling units in a condominium +n03088707 a device designed to transmit electricity, heat, etc. +n03089477 a friction clutch in which the frictional surfaces are cone-shaped +n03089624 a confectioner's shop +n03089753 a center where conferences can be conducted +n03089879 a room in which a conference can be held +n03090000 the table that conferees sit around as they hold a meeting +n03090172 a booth where a priest sits to hear confessions +n03090437 a map projection in which a small area is rendered in its true shape +n03090710 an ankle high shoe with elastic gussets in the sides +n03090856 a map projection of the globe onto a cone with its point over one of the earth's poles +n03091044 a rod that transmits motion (especially one that connects a rotating wheel to a reciprocating shaft) +n03091223 a hotel room that shares a wall with an adjoining room and is connected by a private door +n03091374 an instrumentality that connects +n03091907 a raised bridge on a submarine; often used for entering and exiting +n03092053 an armored pilothouse on a warship +n03092166 a greenhouse in which plants are arranged in a pleasing manner +n03092314 a schoolhouse with special facilities for fine arts +n03092476 an ornamental scroll-shaped bracket (especially one used to support a wall fixture) +n03092656 a scientific instrument consisting of displays and an input device that an operator can use to monitor and control a system (especially a computer system) +n03092883 a small table fixed to a wall or designed to stand against a wall +n03093427 diplomatic building that serves as the residence or workplace of a consul +n03093792 (electronics) a junction where things (as two electrical conductors) touch or are in physical contact +n03094159 a thin curved glass or plastic lens designed to fit over the cornea in order to correct vision or to deliver medication +n03094503 any object that can be used to hold things (especially a large metal boxlike object of standardized dimensions that can be loaded from one form of transport to another) +n03095699 a cargo ship designed to hold containerized cargoes +n03095965 (physics) a system designed to prevent the accidental release of radioactive material from a reactor +n03096439 the bassoon that is the largest instrument in the oboe family +n03096960 a mechanism that controls the operation of a machine +n03097362 the operational center for a group of related activities +n03097535 a feedback circuit that subtracts from the input +n03097673 (computer science) the key on a computer keyboard that is used (in combination with some other key) to type control characters +n03098140 electrical device consisting of a flat insulated surface that contains switches and dials and meters for controlling other electrical devices +n03098515 a steel or aluminum rod that can be moved up or down to control the rate of the nuclear reaction +n03098688 a room housing control equipment (as in a recording studio) +n03098806 a system for controlling the operation of another system +n03098959 a tower with an elevated workspace enclosed in glass for the visual observation of aircraft around an airport +n03099147 a space heater that transfers heat to the surrounding air by convection +n03099274 a store selling a limited variety of food and pharmaceutical items; open long hours for the convenience of customers +n03099454 a religious residence especially for nuns +n03099622 a building for religious assembly (especially Nonconformists, e.g., Quakers) +n03099771 lens such that a beam of light passing through it is brought to a point or focus +n03099945 a device for changing one substance or form or state into another +n03100240 a car that has top that can be folded or removed +n03100346 a sofa that can be converted into a bed +n03100490 something that serves as a means of transportation +n03100897 a moving belt that transports objects (as in a factory) +n03101156 a utensil for cooking +n03101302 a fire for cooking +n03101375 a detached or outdoor shelter for cooking +n03101517 a kitchen utensil used to cut a sheet of cookie dough into desired shapes before baking +n03101664 a jar in which cookies are kept (and sometimes money is hidden) +n03101796 a cooking utensil consisting of a flat rectangular metal sheet used for baking cookies or biscuits +n03101986 a kitchen utensil made of material that does not melt easily; used for cooking +n03102371 a stove for cooking (especially a wood- or coal-burning kitchen stove) +n03102516 a cooling system that uses a fluid to transfer heat from one place to another +n03102654 a refrigerator for cooling liquids +n03102859 a mechanism for keeping something cool +n03103128 equipment in a motor vehicle that cools the engine +n03103396 a cooling system used in industry to cool hot water (by partial evaporation) before reusing it as a coolant +n03103563 a raccoon cap with the tail hanging down the back +n03103904 a long cloak; worn by a priest or bishop on ceremonial occasions +n03104019 a handsaw with a taut thin blade; used for cutting small curves in wood +n03104512 utensils made with copper +n03105088 mechanical device used in printing; holds the copy for the compositor +n03105214 a dish in the form of a scallop shell +n03105306 a small rounded boat made of hides stretched over a wicker frame; still used in some parts of Great Britain +n03105467 (architecture) a triangular bracket of brick or stone (usually of slight extent) +n03105645 (architecture) an arch constructed of masonry courses that are corbelled until they meet +n03105810 (architecture) a step on the top of a gable wall +n03105974 (architecture) a gable having corbie-steps or corbel steps +n03106722 a cut pile fabric with vertical ribs; usually made of cotton +n03106898 a light insulated conductor for household use +n03107046 the ropes in the rigging of a ship +n03107488 cotton trousers made of corduroy cloth +n03107716 a bar of magnetic material (as soft iron) that passes through a coil and serves to increase the inductance of the coil +n03108455 a hollow drilling bit that is the cutting part of a core drill; allows core samples to be taken +n03108624 a drill that removes a cylindrical core from the drill hole +n03108759 a device for removing the core from apples +n03108853 the plug in the mouth of a bottle (especially a wine bottle) +n03109033 a machine that is used to put corks in bottles +n03109150 a bottle opener that pulls corks +n03109253 a crib for storing and drying ears of corn +n03109693 (architecture) solid exterior angle of a building; especially one formed by a cornerstone +n03109881 an interior angle formed by two meeting walls +n03110202 a square post supporting a structural member at the corner of a building +n03110669 a brass musical instrument with a brilliant tone; has a narrow tube and a flared bell and is played by means of valves +n03111041 the topmost projecting part of an entablature +n03111177 a molding at the corner between the ceiling and the top of a wall +n03111296 a decorative framework to conceal curtain fixtures at the top of a window casing +n03111690 a penal institution maintained by the government +n03112240 a small strip of corrugated steel with sharp points on one side; hammered across wood joints in rough carpentry +n03112719 a piece of body armor for the trunk; usually consists of a breastplate and back piece +n03112869 a woman's close-fitting foundation garment +n03113152 a toiletry designed to beautify the body +n03113505 a large proton synchrotron; uses frequency modulation of an electric field to accelerate protons +n03113657 the attire worn in a play or at a fancy dress ball +n03113835 the attire characteristic of a country or a time or a social class +n03114041 unusual or period attire not characteristic of or appropriate to the time and place +n03114236 the prevalent fashion of dress (including accessories and hair style as well as garments) +n03114379 a padded cloth covering to keep a teapot warm +n03114504 a small bed that folds up for storage or transport +n03114743 a tent providing shelter for a family +n03114839 fastener consisting of a wedge or pin inserted through a slot to hold two other pieces together +n03115014 a cotter consisting of a split pin that is secured (after passing through a hole) by splitting the ends apart +n03115180 fabric woven from cotton fibers +n03115400 a stout cotton fabric with nap on only one side +n03115663 a textile mill for making cotton textiles +n03115762 a narrow bed on which a patient lies during psychiatric or psychoanalytic treatment +n03115897 a flat coat of paint or varnish used by artists as a primer +n03116008 a compartment on a European passenger train; contains 4 to 6 berths for sleeping +n03116163 a reflecting telescope so constructed that the light is led to a plate holder or spectrograph +n03116530 table consisting of a horizontal surface over which business is transacted +n03116767 a calculator that keeps a record of the number of times something happens +n03117199 game equipment (as a piece of wood, plastic, or ivory) used for keeping a count or reserving a space in various card or board games +n03117642 a bit for enlarging the upper part of a hole +n03118346 a measuring instrument for counting individual ionizing events +n03118969 a house (usually large and impressive) on an estate in the country +n03119203 a retail store serving a sparsely populated region; usually stocked with a wide variety of merchandise +n03119396 a car with two doors and front seats and a luggage compartment +n03119510 a mechanical device that serves to connect the ends of adjacent objects +n03120198 an area wholly or partly surrounded by walls or buildings +n03120491 a specially marked horizontal area within which a game is played +n03120778 a room in which a lawcourt sits +n03121040 the residence of a sovereign or nobleman +n03121190 an acrylic fabric resembling wool +n03121298 a building that houses judicial courts +n03121431 a government building that houses the offices of a county government +n03121897 a loose-fitting protective garment that is worn over other clothing +n03122073 a bridge whose passageway is protected by a roof and enclosing sides +n03122202 a litter with a cover for privacy +n03122295 a large wagon with broad wheels and an arched canvas top; used by the United States pioneers to cross the prairies in the 19th century +n03122748 an artifact that covers something else (usually to protect or shelter or conceal it) +n03123553 a decorative bedspread (usually quilted) +n03123666 covering consisting of a plate used to cover over or close in a chamber or receptacle +n03123809 a barn for cows +n03123917 a bell hung around the neck of cow so that the cow can be easily located +n03124043 a boot with a high arch and fancy stitching; worn by American cowboys +n03124170 a hat with a wide brim and a soft crown; worn by American ranch hands +n03124313 a heavy flexible whip braided from leather made from the hide of a cow +n03124474 a loose hood or hooded robe (as worn by a monk) +n03124590 a pen for cattle +n03125057 the main circuit board for a computer +n03125588 glazed china with a network of fine cracks on the surface +n03125729 a baby bed with sides and rockers +n03125870 a vehicle designed for navigation in or on water or air or through outer space +n03126090 a strip of metal with ends bent at right angles; used to hold masonry together +n03126385 an iron spike attached to the shoe to prevent slipping on ice when walking or climbing +n03126580 a hinged pair of curved iron bars; used to raise heavy objects +n03126707 lifts and moves heavy objects; lifting tackle is suspended from a pivoted boom that rotates around a vertical axis +n03126927 an instrument for measuring skull sizes +n03127024 a hand tool consisting of a rotating shaft with parallel handle +n03127203 housing for a crankshaft +n03127408 a rotating shaft driven by (or driving) a crank +n03127531 a strong protective barrier that is erected around a racetrack or in the middle of a dual-lane highway in order to reduce the likelihood of severe accidents +n03127747 a padded helmet worn by people riding bicycles or motorcycles; protects the head in case of accidents +n03127925 a rugged box (usually made of wood); used for shipping +n03128085 neckwear worn in a slipknot with long ends overlapping vertically in front +n03128248 writing implement consisting of a colored stick of composition wax used for writing and drawing +n03128427 a patchwork quilt without a design +n03128519 toiletry consisting of any of various substances in the form of a thick liquid that have a soothing and moisturizing effect when applied to the skin +n03129001 a small pitcher for serving cream +n03129471 a hospital where foundlings (infant children of unknown parents) are taken in and cared for +n03129636 a representation of Christ's nativity in the stable at Bethlehem +n03129753 a kind of sideboard or buffet +n03129848 a wicker basket used by anglers to hold fish +n03130066 a furnace where a corpse can be burned and reduced to ashes +n03130233 a mortuary where corpses are cremated +n03130563 a soft thin light fabric with a crinkled surface +n03130761 a very thin crepe of silk or silklike fabric +n03130866 an adjustable wrench designed to fit hexagonal nuts with the adjusting screw built into the head of the wrench +n03131193 an unglazed heavy fabric; brightly printed; used for slipcovers and draperies +n03131574 baby bed with high sides made of slats +n03131669 a bin or granary for storing grains +n03131967 the ball used in playing cricket +n03132076 the club used in playing cricket +n03132261 sports equipment used in playing cricket +n03132438 fastener consisting of a metal ring for lining a small hole to permit the attachment of cords or lines +n03132666 a stiff coarse fabric used to stiffen hats or clothing +n03132776 a full stiff petticoat made of crinoline fabric +n03133050 a needle with a hook on the end; used in crocheting +n03133415 an earthen jar (made of baked clay) +n03133878 an electric cooker that maintains a relatively low temperature +n03134118 a long staff with one end being hook shaped +n03134232 electromagnetic radiometer consisting of a small paddlewheel that rotates when placed in daylight +n03134394 the original gas-discharge cathode-ray tube +n03134739 a wooden ball used in playing croquet +n03134853 sports equipment used in playing croquet +n03135030 a mallet used to strike the ball in croquet +n03135532 a wooden structure consisting of an upright post with a transverse piece +n03135656 long thin horizontal crosspiece between two vertical posts +n03135788 game equipment consisting of a horizontal bar to be jumped or vaulted over +n03135917 a horizontal bar that goes across something +n03136051 any of the seats in the House of Commons used by members who do not vote regularly with either the government or the Opposition +n03136254 a rock drill having cruciform cutting edges; used in mining +n03136369 a bow fixed transversely on a wooden stock grooved to direct the arrow (quarrel) +n03136504 handsaw that cuts at right angles to the grain (or major axis) +n03137473 the lowermost sail on a mizzenmast +n03137579 a transverse brace +n03138128 a small tool or hooklike implement +n03138217 a small rake used by a croupier to move chips around on the table +n03138344 a heavy iron lever with one end forged into a wedge +n03138669 an ornamental jeweled headdress signifying sovereignty +n03139089 (dentistry) dental appliance consisting of an artificial crown for a broken or decayed tooth +n03139464 regalia (jewelry and other paraphernalia) worn by a sovereign on state occasions +n03139640 a lens made of optical crown glass +n03139998 platform for a lookout at or near the top of a mast +n03140126 a vessel made of material that does not melt easily; used for high temperature chemical reactions +n03140292 representation of the cross on which Jesus died +n03140431 bottle that holds wine or oil or vinegar for the table +n03140546 a stand for cruets containing various condiments +n03140652 control mechanism for keeping an automobile at a set speed +n03140771 an unmanned aircraft that is a self-contained bomb +n03140900 a large fast warship; smaller than a battleship and larger than a destroyer +n03141065 a car in which policemen cruise the streets; equipped with radiotelephonic communications to headquarters +n03141327 a passenger ship used commercially for pleasure cruises +n03141455 a strap from the back of a saddle passing under the horse's tail; prevents saddle from slipping forward +n03141612 small jar; holds liquid (oil or water) +n03141702 a device that crushes something +n03141823 a wooden or metal staff that fits under the armpit and reaches to the ground; used by disabled person while walking +n03142099 a thermometer designed to measure low temperatures +n03142205 a measuring instrument for measuring freezing and melting points +n03142325 a thermostat that operates at very low temperatures +n03142431 a cellar or vault or underground burial chamber (especially beneath a church) +n03142679 a protective cover that protects the face of a watch +n03143400 a detector consisting of a fine wire in contact with a galena crystal; acts as a rectifier +n03143572 a microphone in which sound waves vibrate a piezoelectric crystal that generates a varying voltage +n03143754 an oscillator that produces electrical oscillations at a frequency determined by the physical characteristics of a piezoelectric quartz crystal +n03144156 an early radio receiver using a crystal detector +n03144873 body armor that protects the elbow +n03144982 an instrument of punishment consisting of a chair in which offenders were ducked in water +n03145147 clock that announces the hours with a sound like the call of the cuckoo +n03145277 the galley or pantry of a small ship +n03145384 a club that is used as a weapon +n03145522 sports implement consisting of a tapering rod used to strike a cue ball in pool or billiards +n03145719 the ball that the billiard player or pool player strikes with his cue +n03145843 the lap consisting of a turned-back hem encircling the end of the sleeve or leg +n03146219 medieval body armor that covers the chest and back +n03146342 armor plate that protects the thigh +n03146449 a passage with access only at one end +n03146560 a specialized endoscope for visually examining a woman's pelvic organs +n03146687 a gutter in a roof +n03146777 a divided skirt +n03146846 a farm implement used to break up the surface of the soil (for aeration and weed control and conservation of moisture) +n03147084 a medieval musket +n03147156 a heavy cannon with a long barrel used in the 16th and 17th centuries +n03147280 a transverse and totally enclosed drain under a road or railway +n03147509 a small open container usually used for drinking; usually has a handle +n03148324 a small room (or recess) or cabinet used for storage space +n03148518 hook (usually on the underside of a shelf) for hanging cups +n03148727 a roof in the form of a dome +n03148808 a vertical cylindrical furnace for melting iron for casting +n03149135 a horse's bit with an attached chain or strap to check the horse +n03149401 a roof with two or more slopes on each side of the ridge +n03149686 a paving stone forming part of a curb +n03149810 a surgical instrument shaped like a scoop to remove tissue from a bodily cavity +n03150232 a mechanical device consisting of a cylindrical tube around which the hair is wound to curl it +n03150511 a cylindrical metal home appliance that heats a lock of hair that has been curled around it +n03150661 a square comb with rows of small teeth; used to curry horses +n03150795 (computer science) indicator consisting of a movable spot of light (an icon) on a visual display; moving it allows the user to point to commands or screen positions +n03151077 hanging cloth used as a blind (especially for a window) +n03152303 a government building where customs are collected and where ships are cleared to enter or leave the country +n03152951 a representation (drawing or model) of something in which the outside is omitted to reveal the inner parts +n03153246 a short heavy curved sword with one edge; formerly used by sailors +n03153585 a device that terminates the flow in a pipe +n03153948 a switch that interrupts an electric circuit in the event of an overload +n03154073 a cutting implement; a tool for cutting +n03154316 a sailing vessel with a single mast set further back than the mast of a sloop +n03154446 a tool used for cutting or slicing +n03154616 a room where films or tapes are edited (by cutting out unwanted parts) +n03154745 a low stool; formerly in Scotland, a seat in a church where an offender was publicly rebuked +n03154895 embroidery in which the design is outlined in a buttonhole stitch and the intervening material is cut away +n03155178 a cafe whose customers sit at computer terminals and log on to the internet while they eat and drink +n03155502 a primitive style of masonry characterized by use of massive stones of irregular shape and size +n03155915 a writing implement with a small toothed wheel that cuts small holes in a stencil +n03156071 an accelerator that imparts energies of several million electron-volts to rapidly moving particles +n03156279 a cylindrical container for oxygen or compressed air +n03156405 a chamber within which piston moves +n03156767 a lock in which a cylinder rotates to move a bolt; tumblers are pins; inserting the key lifts and aligns the pins to free the cylinder to rotate +n03157348 a percussion instrument consisting of a concave brass disk; makes a loud crashing sound when hit with a drumstick or when two are struck together +n03158186 Russian country house +n03158414 a kind of polyester fabric +n03158668 the section of a pedestal between the base and the surbase +n03158796 a plane for making a dado groove +n03158885 a short knife with a pointed blade used for piercing or stabbing +n03159535 a farm where dairy products are produced +n03159640 a platform raised above the surrounding level to give prominence to the person on it +n03160001 a wheel around which is a set of print characters that make a typing impression on paper +n03160186 a printer that uses a daisy print wheel +n03160309 a barrier constructed to contain the flow of water or to keep out the sea +n03160740 a fabric of linen or cotton or silk or wool with a reversible pattern woven into it +n03161016 a device that dampens or moistens something +n03161450 a device that decreases the amplitude of electronic, mechanical, acoustical, or aerodynamic oscillations +n03161893 damper consisting of a small felted block that drops onto a piano string to stop its vibration +n03162297 a lantern with a single opening and a sliding panel that can be closed to conceal the light +n03162460 a room in which photographs are developed +n03162556 a long needle with an eye large enough for heavy darning or embroidery thread +n03162714 a tapered tuck made in dressmaking +n03162818 a small narrow pointed missile that is thrown or shot +n03163222 instrument panel on an automobile or airplane containing dials and controls +n03163381 a loose and brightly colored African shirt +n03163488 a mechanical damper; the vibrating part is attached to a piston that moves in a chamber filled with liquid +n03163798 converter for changing information from one code to another +n03163973 a device that can be used to insert data into a computer or other computational device +n03164192 a multiplexer that permits two or more data sources to share a common transmission medium +n03164344 system consisting of the network of all communication channels used within an organization +n03164605 a large sofa usually convertible into a bed +n03164722 a small decorative writing desk +n03164929 a crane-like device (usually one of a pair) for suspending or lowering equipment (as a lifeboat) +n03165096 an armless couch; a seat by day and a bed by night +n03165211 an accounting journal as a physical object +n03165466 a nursery for the supervision of preschool children while the parents work +n03165616 a school building without boarding facilities +n03165823 an axle that carries a wheel but without power to drive it +n03165955 (nautical) a round hardwood disk with holes and a grooved perimeter used to tighten a shroud +n03166120 a train or bus or taxi traveling empty +n03166514 the official residence of a dean +n03166600 the bed on which a person dies +n03166685 a concentration camp where prisoners are likely to die or be killed +n03166809 the cellblock in a prison where those condemned to death await execution +n03166951 a bell rung to announce a death +n03167153 the car seat beside the driver of an automobile; believed to be the most dangerous place to sit in a car in case of an accident +n03167978 street name for a packet of illegal drugs +n03168107 a porch that resembles the deck on a ship +n03168217 a folding chair for use outdoors; a wooden frame supports a length of canvas +n03168543 a superstructure on the upper deck of a ship +n03168663 (paper making) a frame used to form paper pulp into sheets +n03168774 rough edge left by a deckle on handmade paper or produced artificially on machine-made paper +n03168933 an instrument for measuring magnetic declination +n03169063 a machine that converts a coded text into ordinary language +n03169176 a low-cut neckline on a woman's dress +n03170292 art produced by decorating a surface with cutouts and then coating it with several layers of varnish or lacquer +n03170459 (computer science) a file server that can be used only as a file server +n03170635 electric refrigerator (trade name Deepfreeze) in which food is frozen and stored for long periods of time +n03170872 a tight-fitting hat with visors front and back; formerly worn by hunters +n03171228 the weaponry available for the defense of a region +n03171356 a structure used to defend against attack +n03171635 an electronic device that administers an electric shock of preset voltage to the heart through the chest wall in an attempt to restore the normal rhythm of the heart during ventricular fibrillation +n03171910 the arrangement of defensive fortifications to protect against enemy fire +n03172038 a device intended to turn aside the flow of something (water or air or smoke etc) +n03172738 a mechanism that automatically delays the release of a camera shutter for a fixed period of time so that the photographer can appear in the picture +n03172965 a circuit designed to introduce a calculated delay into the transmission of a signal +n03173270 a style of glazed earthenware; usually white with blue decoration +n03173387 a shop selling ready-to-eat food products +n03173929 a van suitable for delivering goods or services to customers +n03174079 an airplane with wings that give it the appearance of an isosceles triangle +n03174450 large bottle with a short narrow neck; often has small handles at neck and is enclosed in wickerwork +n03174731 small coffee cup; for serving black coffee +n03175081 a room that is comfortable and secluded +n03175189 a coarse durable twill-weave cotton fabric +n03175301 a measuring instrument for determining density or specific gravity +n03175457 a measuring instrument for determining optical or photographic density +n03175604 a device to repair teeth or replace missing teeth +n03175843 a soft thread for cleaning the spaces between the teeth +n03175983 an implant that replaces a natural tooth +n03176238 a high speed drill that dentists use to cut into teeth +n03176386 a dental appliance that artificially replaces missing teeth +n03176594 a toiletry applied to the skin in order to mask unpleasant odors +n03176763 a large retail store organized into departments offering a variety of merchandise; commonly part of a retail chain +n03177059 lounge where passengers can await departure +n03177165 a cosmetic for temporary removal of undesired hair +n03177708 a device used by physician to press a part down or aside +n03178000 navigational instrument used to measure the depth of a body of water (as by ultrasound or radar) +n03178173 a gauge for measuring the depth of grooves or holes or other concavities +n03178430 a simple crane having lifting tackle slung from a boom +n03178538 a framework erected over an oil well to allow drill tubes to be raised and lowered +n03178674 a pocket pistol of large caliber with a short barrel +n03179701 a piece of furniture with a writing surface and usually drawers or other compartments +n03179910 a telephone set that sits on a desk or table +n03180011 a personal computer small enough to fit conveniently in an individual workspace +n03180384 a spoon larger than a teaspoon and smaller than a tablespoon +n03180504 a small fast lightly armored but heavily armed warship +n03180732 warship smaller than a destroyer; designed to escort fleets or convoys +n03180865 a house that stands alone +n03180969 any device that receives a signal or stimulus (as heat or pressure or light or motion etc.) and responds to it in a distinctive manner +n03181293 electronic equipment that detects the presence of radio signals or radioactivity +n03181667 an institution where juvenile offenders can be held temporarily (usually under the supervision of a juvenile court) +n03182140 a fuse containing an explosive +n03182232 a mechanical or electrical explosive device or a small amount of explosive; can be used to initiate the reaction of a disrupting explosive +n03182912 photographic equipment consisting of a chemical solution for developing film +n03183080 an instrumentality invented for a particular purpose +n03185868 vacuum flask that holds liquid air or helium for scientific experiments +n03186199 a long loincloth worn by Hindu men +n03186285 a lateen-rigged sailing vessel used by Arabs +n03186818 a disc on a telephone that is rotated a fixed distance for each number called +n03187037 the circular graduated indicator on various measuring instruments +n03187153 the control on a radio or television set that is used for tuning +n03187268 (computer science) a small temporary window in a graphical user interface that appears in order to request information from the user; after the information has been provided the user dismisses the box with `okay' or `cancel' +n03187595 a telephone with a dial for registering the number to be called +n03187751 a medical instrument for separating substances in solution by unequal diffusion through semipermeable membranes +n03188290 fabric covered with glittering ornaments such as sequins or rhinestones +n03188531 garment consisting of a folded cloth drawn up between the legs and fastened at the waist; worn by infants to catch excrement +n03188725 a fabric (usually cotton or linen) with a distinctive woven pattern of small repeated figures +n03188871 a foghorn that makes a signal consisting of two tones +n03189083 a mechanical device in a camera that controls size of aperture of the lens +n03189311 electro-acoustic transducer that vibrates to receive or produce sound waves +n03189818 a medical instrument for local heating of bodily tissues for medical purposes +n03190458 a wooden hand tool with a pointed end; used to make holes in the ground for planting seeds or bulbs +n03191286 a small container (open at one end) in which dice are shaken by hand and from which they are thrown +n03191451 a mechanical device used for dicing food +n03191561 a man's detachable insert (usually starched) to simulate the front of a shirt +n03191776 a small third seat in the back of an old-fashioned two-seater +n03192543 a tape recorder that records and reproduces dictation +n03192907 a cutting tool that is fitted into a diestock and used for cutting male (external) screw threads on screws or bolts or pipes or rods +n03193107 an internal-combustion engine that burns heavy oil +n03193260 a locomotive driven by the electric current generated by a diesel engine +n03193423 a locomotive driven by a hydraulic transmission system powered by a diesel engine +n03193597 a locomotive driven by a diesel engine +n03193754 a device that holds the dies that cut external threads on metal cylinders +n03194170 an analog computer designed to solve differential equations +n03194297 a bevel gear that permits rotation of two shafts at different speeds; used on the rear axle of automobiles to allow wheels to rotate at different speeds on curves +n03194812 optical device that distributes the light of a lamp evenly +n03194992 baffle that distributes sound waves evenly +n03195332 autoclave consisting of a vessel in which plant or animal materials are digested +n03195485 temporary living quarters +n03195799 device for converting digital signals into analogue signals +n03195959 a digital tape recording of sound +n03196062 a camera that encodes an image digitally and store it for later reproduction +n03196217 a clock that displays the time of day digitally +n03196324 a computer that represents information by numerical (binary) digits +n03196598 a display that gives the information in the form of characters (numbers or letters) +n03196990 a generic name for digital lines that are provided by telephone companies to their local subscribers and that carry data at high speeds +n03197201 an electronic voltmeter that gives readings in digits +n03197337 a watch with a digital display +n03197446 device for converting analogue signals into digital signals +n03198223 a surgical instrument that is used to dilate or distend an opening or an organ +n03198500 a vibrating device that substitutes for an erect penis to provide vaginal stimulation +n03199358 a strong cotton fabric with a raised pattern; used for bedcovers and curtains +n03199488 a rheostat that varies the current through an electric light in order to control the level of illumination +n03199647 a restaurant that resembles a dining car +n03199775 a small area off of a kitchen that is used for dining +n03199901 a small boat of shallow draft with cross thwarts for seats and rowlocks for oars with which it is propelled +n03200231 an area arranged for dining +n03200357 a passenger car where food is served in transit +n03200539 a large room at a college or university; used especially for dining +n03200701 a room used for dining +n03200906 furniture intended for use in a dining room +n03201035 dining-room furniture consisting of a table on which meals can be served +n03201208 a table at which meals are served +n03201529 a bell rung to announce that dinner has been served +n03201638 a gown for evening wear +n03201776 semiformal evening dress for men +n03201895 a large napkin used when dinner is served +n03201996 a pail in which a workman carries his lunch or dinner +n03202354 the dining table where dinner is served and eaten +n03202481 a theater at which dinner is included in the price of admission +n03202760 a semiconductor that consists of a p-n junction +n03202940 a thermionic tube having two electrodes; used as a rectifier +n03203089 a candle that is made by repeated dipping in a pool of wax or tallow +n03203806 government building in which diplomats live or work +n03204134 an aerial half a wavelength long consisting of two rods connected to a transmission line at the center +n03204306 a ladle that has a cup with a long handle +n03204436 a graduated rod dipped into a container to indicate the fluid level +n03204558 (computer science) one of a set of small on-off switches mounted in computer hardware; used in place of jumpers to configure the machine for a user +n03204955 an antenna that transmits or receives signals only in a narrow angle +n03205143 a microphone that is designed to receive sound from a particular direction +n03205304 radio; determines the direction of incoming radio waves +n03205458 a relatively long dagger with a straight blade +n03205574 a dress with a tight bodice and full skirt +n03205669 a full skirt with a gathered waistband +n03205903 an atom bomb that leaves considerable radioactive contamination +n03206023 a lamp that generates light by a discharge between two electrodes in a gas +n03206158 a pipe through which fluids can be discharged +n03206282 a public dance hall for dancing to recorded popular music +n03206405 a sales outlet offering goods at a discounted price +n03206602 a disk used in throwing competitions +n03206718 any attire that modifies the appearance in order to conceal the wearer's identity +n03206908 a piece of dishware normally used as a container for holding or serving food +n03207305 directional antenna consisting of a parabolic reflector for microwave or radio frequency radiation +n03207548 large pan for washing dishes +n03207630 a rack for holding dishes as dishwater drains off of them +n03207743 a cloth for washing dishes +n03207835 a towel for drying dishes +n03207941 a machine for washing dishes +n03208556 a flat circular plate +n03208938 hydraulic brake in which friction is applied to both sides of a spinning disk by the brake pads +n03209359 a friction clutch in which the frictional surfaces are disks +n03209477 (computer science) a circuit or chip that translates commands into a form that can control a hard disk drive +n03209666 computer hardware that holds and spins a magnetic or optical disk and reads and writes information on it +n03209910 a small plastic magnetic disk enclosed in a stiff envelope with a radial slit; used to store data or programs for a microcomputer +n03210245 a harrow with a series of disks set on edge at an angle +n03210372 case consisting of an oblong container (usually having a lock) for carrying dispatches or other valuables +n03210552 clinic where medicine and medical supplies are dispensed +n03210683 a container so designed that the contents can be used in prescribed amounts +n03211117 an electronic device that represents information in visual form +n03211413 (computer science) an electronic device that converts information in memory to video output to a display +n03211616 a vertical surface on which information can be displayed to public view +n03211789 a window of a store facing onto the street; used to display merchandise for sale in the store +n03212114 a kitchen appliance for disposing of garbage +n03212247 a high explosive that is used to damage the target that is under attack +n03212406 the staff on which wool or flax is wound before spinning +n03212811 a plant and works where alcoholic drinks are made by distillation +n03213014 electrical device that distributes voltage to the spark plugs of a gasoline engine in the order of the firing sequence +n03213361 the cam inside the distributor that rotates to contact spark plug terminals in the correct order +n03213538 the cap of the distributor that holds in place the wires from the distributor to the spark plugs +n03213715 the housing that supports the distributor cam +n03213826 a contact in the distributor; as the rotor turns its projecting arm contacts them and current flows to the spark plugs +n03214253 a long narrow excavation in the earth +n03214450 a spade with a long handle for digging narrow ditches +n03214582 kit used by sailors and soldiers +n03214966 a long backless sofa (usually with pillows against a wall) +n03215076 a Muslim council chamber or law court +n03215191 a bomber that releases its bombs during a steep dive toward the target +n03215337 a lens such that a parallel beam of light passing through it is caused to diverge or spread out +n03215508 a highway divided down the middle by a barrier that separates traffic going in different directions +n03215749 a drafting instrument resembling a compass that is used for dividing lines into equal segments or for transferring measurements +n03215930 diving apparatus for underwater work; has an open bottom and is supplied with compressed air +n03216199 forked stick that is said to dip down to indicate underground water or oil +n03216402 a weighted and hermetically sealed garment supplied with air; worn by underwater divers +n03216562 a large metal pot (12 gallon camp kettle) for cooking; used in military camps +n03216710 a disposable cup made of paper; for holding drinks +n03216828 landing in a harbor next to a pier where ships are loaded and unloaded or repaired; may have gates to let water in or out +n03217653 a fine smooth soft woolen fabric +n03217739 a cart drawn by a dog +n03217889 a bag for food that a customer did not eat at a restaurant; the transparent pretense is that the food is taken home to feed the customer's dog +n03218198 a sled pulled by dogs +n03218446 a wrench with a handle shaped like a crank +n03219010 a small round piece of linen placed under a dish or bowl +n03219135 a small replica of a person; used as a toy +n03219483 a house so small that it is likened to a child's plaything +n03219612 conveyance consisting of a wheeled platform for moving heavy objects +n03219859 a woman's cloak with dolman sleeves +n03219966 a hussar's jacket worn over the shoulders +n03220095 a sleeve with a large armhole and tight cuff +n03220237 a prehistoric megalithic tomb typically having two large upright stones and a capstone +n03220513 a hemispherical roof +n03220692 a stadium that has a roof +n03221059 a mask covering the upper part of the face but with holes for the eyes +n03221351 (computer science) an electronic device that must be attached to a computer in order for it to use protected software +n03221540 a short thick jacket; often worn by workmen +n03221720 a swinging or sliding barrier that will close the entrance to a room or building or vehicle +n03222176 a room that is entered via a door +n03222318 a structure where people live or work (usually ordered along a street or road) +n03222516 a push button at an outer door that gives a ringing or buzzing signal when pushed +n03222722 the frame that supports a door +n03222857 a jamb for a door +n03223162 a lock on an exterior door +n03223299 a mat placed outside an exterior door for wiping the shoes before entering +n03223441 a nail with a large head; formerly used to decorate doors +n03223553 a nameplate fastened to a door; indicates the person who works or lives there +n03223686 the sill of a door; a horizontal piece of wood or stone that forms the bottom of a doorway and offers support when passing through a doorway +n03223923 a stop that keeps open doors from moving +n03224490 radar that uses the Doppler shift to measure velocity +n03224603 a gabled extension built out from a sloping roof to accommodate a vertical window +n03224753 the window in a gabled extension built to accommodate a window +n03224893 a college or university building containing living quarters for students +n03225108 a large sleeping room containing several beds +n03225458 a measuring instrument for measuring doses of ionizing radiation (X-rays or radioactivity) +n03225616 an ornamental hanging of rich fabric hung behind the altar of a church or at the sides of a chancel +n03225777 a printer that represents each character as a pattern of dots from a dot matrix +n03225988 a bed wide enough to accommodate two sleepers +n03226090 an ax that has cutting edges on both sides of the head +n03226254 two saucepans, one fitting inside the other +n03226375 a jacket having fronts that overlap enough for two separate rows of buttons +n03226538 a suit with a double-breasted jacket +n03226880 two vertical doors that meet in the middle of the door frame when closed +n03227010 a window with two panes of glass and a space between them; reduces heat and noise transmission through the window +n03227184 a window having two sashes that slide up and down +n03227317 a knit fabric similar to jersey that is made with two sets of needles producing a double thickness joined by interlocking stitches +n03227721 an electronic device that doubles the voltage or the frequency of an input signal +n03227856 a pair of joined reeds that vibrate together to produce the sound in some woodwinds +n03228016 a woodwind that has a pair of joined reeds that vibrate together +n03228254 a man's close-fitting jacket; worn during the Renaissance +n03228365 a crossbar on a wagon or carriage to which two whiffletrees are attached in order to harness two horses abreast +n03228533 a small syringe with detachable nozzles; used for vaginal lavage and enemas +n03228692 a birdhouse for pigeons +n03228796 a medicinal powder made essentially of ipecac and opium; formerly used to relieve pain and induce perspiration +n03228967 a mortise joint formed by interlocking tenons and mortises +n03229115 a woodworking plane designed to make the grooves for dovetail joints +n03229244 a fastener that is inserted into holes in two adjacent pieces and holds them together +n03229526 the front half of the stage (as seen from the audience) +n03231160 an instrument used by a draftsman in making drawings +n03231368 a worktable with adjustable top +n03231819 a sniper rifle with a telescopic sight +n03232309 a ditch for carrying off excess water or sewage +n03232417 a system of watercourses or drains for carrying off excess water +n03232543 a filter in a sink drain; traps debris but passes water +n03232815 a removable plug for holding water in a tub or basin +n03232923 a sterile covering arranged over a patient's body during a medical examination or during surgery in order to reduce the possibility of contamination +n03233123 cloth gracefully draped and arranged in loose folds +n03233624 a strong metal bar bearing a hook to attach something to be pulled +n03233744 a bridge that can be raised to block passage or to allow boats or ships to pass beneath it +n03233905 a boxlike container in a piece of furniture; made so as to slide in and out +n03234164 underpants worn by men +n03234952 colored chalks used by artists +n03235042 a formal room where visitors can be received and entertained +n03235180 a private compartment on a sleeping car with three bunks and a toilet +n03235327 a woodworker's knife to shave surfaces +n03235796 a bag that is closed at the top with a drawstring +n03235979 a low heavy horse cart without sides; used for haulage +n03236093 battleship that has big guns all of the same caliber +n03236217 a power shovel to remove material from a channel or riverbed +n03236423 a barge (or a vessel resembling a barge) that is used for dredging +n03236580 a bucket for lifting material from a channel or riverbed +n03236735 a one-piece garment for a woman; has skirt and bodice +n03237212 a dress uniform for formal occasions +n03237340 a cabinet with shelves +n03237416 a man's hat with a tall crown; usually covered with silk or with beaver fur +n03237639 a cloth covering for a wound or sore +n03237839 a small piece of luggage for carrying brushes and bottles and toilet articles while traveling +n03237992 a robe worn before dressing or while lounging +n03238131 a room in which you can change clothes +n03238286 a woman's loose jacket; worn while dressing +n03238586 low table with mirror or mirrors where one sits while dressing or applying makeup +n03238762 a rack used primarily to display dresses for sale in a store +n03238879 a man's white shirt (with a starch front) for evening wear (usually with a tuxedo) +n03239054 formalwear consisting of full evening dress for men +n03239259 a military uniform worn on formal occasions +n03239607 a large fishnet supported by floats; it drifts with the current +n03239726 a tool with a sharp point and cutting edges for making holes in hard materials (usually rotating rapidly or by repeated blows) +n03240140 a rotating power drill powered by an electric motor +n03240683 drilling rig consisting of an offshore platform (floating or fixed to the sea bed) from which many oil wells can be bored radially +n03240892 a machine tool with a separate, upright stand; an electric drill is pressed into the work automatically or with a hand lever +n03241093 rig used in drilling for oil or gas +n03241335 a public fountain to provide a jet of drinking water +n03241496 a vessel intended for drinking +n03241903 a downward hanging loop in a line that runs to a building +n03242120 a small mat placed under a glass to protect a surface from condensation +n03242264 pan under a refrigerator for collecting liquid waste +n03242390 pan for catching drippings under roasting meat +n03242506 a coffeepot for making drip coffee +n03242995 a mechanism by which force or power is transmitted in a machine +n03243218 (computer science) a device that writes data onto or reads data from a storage medium +n03243625 mechanism that transmits power from the engine to the driving wheels of a motor vehicle +n03244047 a golf club (a wood) with a near vertical face that is used for hitting long shots from the tee +n03244231 a rotating shaft that transmits power from the engine to the point of application +n03244388 a road leading up to a private house +n03244775 (golf) the long iron with the most nearly vertical face +n03244919 a wheel that drives a motor vehicle (transforms torque into a tractive force) +n03245271 a parachute used to decelerate an object that is moving rapidly +n03245421 a small parachute that pulls the main parachute from its storage pack +n03245724 a pipe of the bagpipe that is tuned to produce a single continuous tone +n03245889 an aircraft without a pilot that is operated by remote control +n03246197 a blunt pointed arch drawn from two centers within the span +n03246312 a large piece of cloth laid over the floor or furniture while a room is being painted +n03246454 a curtain that can be lowered and raised onto a stage from the flies; often used as background scenery +n03246653 device for making large forgings +n03246933 a table that has a drop-leaf to enlarge its surface +n03247083 pipet consisting of a small tube with a vacuum bulb at one end for drawing liquid in and releasing it a drop at a time +n03247351 an open horse-drawn carriage with four wheels; formerly used in Poland and Russia +n03247495 a stonemason's chisel with a broad edge for dressing stone +n03248835 a rug made of a coarse fabric having a cotton warp and a wool filling +n03249342 a retail shop where medicine and other articles are sold +n03249569 a musical percussion instrument; usually consists of a hollow cylinder with a membrane stretched across each end +n03249956 a cylindrical metal container used for shipping or storage of liquids +n03250089 hydraulic brake in which friction is applied to the inside of a spinning drum by the brake shoe +n03250279 a membrane that is stretched taut over a drum +n03250405 a line printer in which the type is mounted on a rotating drum that contains a full character set for each printing position +n03250588 a power tool used for sanding wood; an endless loop of sandpaper is moved at high speed by an electric motor +n03250847 a stick used for playing a drum +n03250952 a voltaic battery consisting of two or more dry cells +n03251100 an ordinary thermometer with a dry bulb; used to measure the air temperature +n03251280 a small Leclanche cell containing no free liquid; the electrolyte is a paste and the negative zinc pole forms the container of the cell; used in flashlights, portable radios, etc. +n03251533 a large dock from which water can be pumped out; used for building ships or for repairing a ship below its waterline +n03251766 an appliance that removes moisture +n03251932 a fly (fisherman's lure) that skims the surface of the water +n03252231 a kiln for drying and seasoning lumber +n03252324 masonry without mortar +n03252422 a steel needle for engraving without acid on a bare copper plate +n03252637 a stone wall made with stones fitted together without mortar +n03252787 a type of passive matrix display in which the top and bottom half of the screen are refreshed simultaneously +n03253071 a heavy cotton fabric of plain weave; used for clothing and tents +n03253187 a boardwalk laid across muddy ground +n03253279 a bowling pin that is short and squat by comparison with a tenpin +n03253714 a clay pipe with a short stem +n03253796 a coarse heavy woolen fabric +n03253886 a large cylindrical bag of heavy cloth; for carrying personal belongings +n03254046 a warm coat made of duffel; usually has a hood and fastens with toggles +n03254189 either of two low shelters on either side of a baseball diamond where the players and coaches sit during the game +n03254374 a canoe made by hollowing out and shaping a large log +n03254625 the organ stop having a tone of soft sweet string quality +n03254737 a trapezoidal zither whose metal strings are struck with light hammers +n03254862 a stringed instrument used in American folk music; an elliptical body and a fretted fingerboard and three strings +n03255030 an exercising weight; two spheres connected by a short bar that serves as a handle +n03255167 a bomb that falls because of gravity and is not guided to a target +n03255322 a small elevator used to convey food (or other goods) from one floor of a building to another +n03255488 a soft-nosed small-arms bullet that expands when it hits a target and causes a gaping wound +n03255899 a cart that can be tilted to empty contents without handling +n03256032 a container designed to receive and transport and dump waste +n03256166 truck whose contents can be emptied without handling; the front end of the platform can be pneumatically raised so that the load is discharged by gravity +n03256472 a surveyor's level having a short telescope fixed to a horizontally rotating table and a spirit level +n03256631 a cone-shaped paper hat formerly placed on the head of slow or lazy pupils +n03256788 a recreational vehicle with large tires used on beaches or sand dunes +n03256928 a dark cell (usually underground) where prisoners can be confined +n03257065 an apartment having rooms on two floors that are connected by a staircase +n03257210 a house with two units sharing a common wall +n03257586 apparatus that makes copies of typed, written or drawn material +n03258192 a bag into which dirt is sucked by a vacuum cleaner +n03258330 a piece of cloth used for dusting +n03258456 a removable plastic protective covering for a piece of equipment +n03258577 a large piece of cloth used to cover furniture that is not in use for a long period +n03258905 a dry swab for dusting floors +n03259009 a short-handled receptacle into which dust can be swept +n03259280 an oven consisting of a metal box for cooking in front of a fire +n03259401 iron or earthenware cooking pot; used for stews +n03259505 housing that someone is living in +n03260206 a workshop where dyeing is done +n03260504 generator consisting of a coil (the armature) that rotates between the poles of an electromagnet (the field magnet) causing a current to flow in the armature +n03260733 measuring instrument designed to measure power +n03260849 a chair designed by Charles Eames; originally made of molded plywood; seat and back shaped to fit the human body +n03261019 one of two flaps attached to a cap to keep the ears warm +n03261263 a radar that is part of an early warning system +n03261395 a network of radar installations designed to detect enemy missiles or aircraft while there is still time to intercept them +n03261603 either of a pair of ear coverings (usually connected by a headband) that are worn to keep the ears warm in cold weather +n03261776 electro-acoustic transducer for converting electric signals into sounds; it is held over or inserted into the ear +n03262072 a plug of cotton, wax, or rubber that is fitted into the ear canal for protection against the entry of water or loud noise +n03262248 an earphone that is inserted into the ear canal +n03262519 ceramic ware made of porous clay fired at low heat +n03262717 an earthen rampart +n03262809 an upright tripod for displaying something (usually an artist's canvas) +n03262932 a comfortable upholstered armchair +n03263076 the overhang at the lower edge of a roof +n03263338 attire that is appropriate to wear in a church +n03263640 ovolo molding between the shaft and the abacus of a Doric column +n03263758 a sonograph that creates an image of the heart and its abnormalities +n03264906 garden tool for cutting grass around the edges of a yard +n03265032 any cutting tool with a sharp cutting edge (as a chisel or knife or plane or gouge) +n03265754 a furnished apartment with a kitchenette and bathroom +n03266195 a decorative molding; a series of egg-shaped figures alternating with another shape +n03266371 a mixer for beating eggs or whipping cream +n03266620 a sandglass that runs for three minutes; used to time the boiling of eggs +n03266749 a soft quilt usually filled with the down of the eider +n03267113 a black pool ball bearing the number 8; should be the last to go in certain pool games +n03267468 a pilot's seat in an airplane that can be forcibly ejected in the case of an emergency; then the pilot descends by parachute +n03267696 a fabric made of yarns containing an elastic material +n03267821 a bandage containing stretchable material that can apply local pressure +n03268142 an elastic adhesive bandage for covering cuts or wounds +n03268311 the part of a sleeve that covers the elbow joint +n03268645 protective garment consisting of a pad worn over the elbow by football and hockey players +n03268790 a car that is powered by electricity +n03268918 a cable that provides an electrical connection for telephone or television or power stations +n03269073 contact that allows current to pass from one conductor to another +n03269203 converter that converts alternating current into direct current or vice versa +n03269401 a device that produces or is powered by electricity +n03270165 equipment in a motor vehicle that provides electricity to start the engine and ignite the fuel and operate the lights and windshield wiper and heater and air conditioner and radio +n03270695 a bell activated by the magnetic effect of an electric current +n03270854 a blanket containing and electric heating element that can be controlled to the desired temperature by a rheostat +n03271030 an instrument of execution by electrocution; resembles an ordinary seat for one person +n03271260 a clock using a small electric motor +n03271376 an electric lamp in which the light comes from an electric discharge between two electrodes in a glass tube +n03271574 a fan run by an electric motor +n03271765 a frying pan heated by electricity +n03271865 any furnace in which the heat is provided by an electric current +n03272010 a guitar whose sound is amplified by electrical means +n03272125 a hammer driven by electric motor +n03272239 a small electric space heater +n03272383 a lamp powered by electricity +n03272562 a locomotive that is powered by an electric motor +n03272810 a meter for measuring the amount of electric power used +n03272940 a food mixer powered by an electric motor +n03273061 a motor that converts electricity to mechanical work +n03273551 (music) an electronic simulation of a pipe organ +n03273740 a kitchen range in which the heat for cooking is provided by electric power +n03273913 a refrigerator in which the coolant is pumped around by an electric motor +n03274265 a toothbrush with an electric motor in the handle that vibrates the head of the brush +n03274435 a typewriter powered by an electric motor +n03274561 a transducer that converts electrical to acoustic energy or vice versa +n03274796 a conductor used to make electrical contact with some part of a circuit +n03275125 measuring instrument that uses the interaction of the magnetic fields of two coils to measure current or voltage or power +n03275311 medical instrument that records electric currents generated by the brain +n03275566 an apparatus for the electrical transmission of pictures +n03275681 a fixed capacitor consisting of two electrodes separated by an electrolyte +n03275864 a cell containing an electrolyte in which an applied voltage causes a reaction to occur that would not occur otherwise (such as the breakdown of water into hydrogen and oxygen) +n03276179 a temporary magnet made by coiling wire around an iron core; when current flows in the coil the iron becomes a magnet +n03276696 meter to measure electrostatic voltage differences; draws no current from the source +n03276839 a medical instrument that records the electrical waves associated with the activity of skeletal muscles +n03277004 collider that consists of an accelerator that collides electrons and positrons +n03277149 the electrode that is the source of electrons in a cathode-ray tube or electron microscope; consists of a cathode that emits a stream of electrons and the electrostatic or electromagnetic apparatus that focuses it +n03277459 a balance that generates a current proportional to the displacement of the pan +n03277602 (telecommunication) converter for converting a signal from one frequency to another +n03277771 a device that accomplishes its purpose electronically +n03278248 equipment that involves the controlled conduction of electrons (especially in a gas or vacuum or semiconductor) +n03278914 an electronic monitor that monitors fetal heartbeat and the mother's uterine contractions during childbirth +n03279153 a musical instrument that generates sounds electronically +n03279364 a voltmeter whose sensitivity is increased by amplification +n03279508 a microscope that is similar in purpose to a light microscope but achieves much greater resolving power by using a parallel beam of electrons to illuminate the object instead of a beam of light +n03279804 a vacuum tube that amplifies a flow of electrons +n03279918 a simple electrostatic generator that generates repeated charges of static electricity +n03280216 measuring instrument that detects electric charge; two gold leaves diverge owing to repulsion of charges with like sign +n03280394 electrical device that produces a high voltage by building up a charge of static electricity +n03280644 a printer that uses an electric charge to deposit toner on paper +n03281145 lifting device consisting of a platform or cage that is raised and lowered mechanically in a vertical shaft in order to move people from one floor to another in a building +n03281524 the airfoil on the tailplane of an aircraft that makes it ascend or descend +n03281673 a vertical shaft in a building to permit the passage of an elevator from floor to floor +n03282060 a long artificial mound of stone or earth; built to hold back water or to support a road or as protection +n03282295 a diplomatic building where ambassadors live or work +n03282401 a superfluous ornament +n03283221 a room in a hospital or clinic staffed and equipped to provide emergency care to persons requiring immediate medical treatment +n03283413 a basin used by bedridden patients for vomiting +n03283827 the electrode in a transistor where electrons originate +n03284308 a container that has been emptied +n03284482 a light-sensitive coating on paper or film; consists of fine grains of silver bromide suspended in a gelatin +n03284743 any smooth glossy coating that resembles ceramic glaze +n03284886 a paint that dries to a hard glossy finish +n03284981 cooking utensil of enameled iron +n03285578 a paint consisting of pigment mixed with melted beeswax; it is fixed with heat after application +n03285730 an X ray of the brain made by replacing spinal fluid with a gas (usually oxygen) to improve contrast +n03285912 a structure consisting of an area that has been enclosed for some purpose +n03286572 a long slender medical instrument for examining the interior of a bodily organ or performing minor surgery +n03287351 a device that supplies electrical energy +n03287733 motor that converts thermal energy to mechanical work +n03288003 an instrument or machine that is used in warfare, such as a battering ram, catapult, artillery piece, etc. +n03288500 a room (as on a ship) in which the engine is located +n03288643 machinery consisting of engines collectively +n03288742 a double-reed woodwind instrument similar to an oboe but lower in pitch +n03288886 a saddle having a steel cantle and pommel and no horn +n03289660 photographic equipment consisting of an optical projector used to enlarge a photograph +n03289985 a coordinated outfit (set of clothing) +n03290096 colors flown by a ship to show its nationality +n03290195 (architecture) the structure consisting of the part of a classical temple above the columns between a capital and the roof +n03290653 a wall unit containing sound and television systems +n03291413 a hand shovel carried by infantrymen for digging trenches +n03291551 an entrenched fortification; a position protected by trenches +n03291741 any wrapper or covering +n03291819 a flat (usually rectangular) container for a letter, thin package, etc. +n03291963 the bag containing the gas in a balloon +n03292085 a crude stone artifact (as a chipped flint); possibly the earliest tools +n03292362 armor plate that protects the shoulder +n03292475 a fencing sword similar to a foil but with a heavier blade +n03292603 a large table centerpiece with branching holders for fruit or sweets or flowers +n03292736 a system of epicyclic gears in which at least one wheel axis itself revolves about another fixed axis +n03292960 an optical projector that gives images of both transparent and opaque objects +n03293095 a mixture of resins and waxes to remove cosmetically undesirable hair; mixture is applied hot to the surface and after cooling is pulled away taking the hairs with it +n03293741 electronic equipment that reduces frequency distortion +n03293863 a telescope whose mounting has only two axes of motion, one parallel to the Earth's axis and the other one at right angles to it +n03294048 an instrumentality needed for an undertaking or to perform a service +n03294604 (computer science) a read-only memory chip that can be erased by ultraviolet light and programmed again with new data +n03294833 an implement used to erase something +n03295012 a right-angled optical prism used to turn an inverted image upright +n03295140 a structure that has been erected +n03295246 a conical flask with a wide base and narrow neck +n03295928 hatchway that provides a means of escape in an emergency +n03296081 mechanical device that regulates movement +n03296217 gear that engages a rocking lever +n03296328 a steep artificial slope in front of a fortification +n03296478 a shield; especially one displaying a coat of arms +n03296963 an optical instrument for examining the inside of the esophagus +n03297103 a sandal with a sole made of rope or rubber and a cloth upper part +n03297226 a trellis on which ornamental shrub or fruit tree is trained to grow flat +n03297495 a coffee maker that forces live steam under pressure through dark roasted coffee grounds +n03297644 a cafe where espresso is served +n03297735 a public or private structure (business or governmental or educational) including buildings and equipment for business or residence +n03298089 a small (and usually shabby) cafe selling wine and beer and coffee +n03298352 a transdermal patch that allows estradiol to be absorbed into the blood stream; used in treating estrogen deficiency and in hormone replacement therapy +n03298716 a piece of furniture with open shelves for displaying small ornaments +n03298858 a soft cotton or worsted fabric with an open mesh; used for curtains or clothing etc. +n03299406 an etched plate made with the use of acid +n03300216 a type of network technology for local area networks; coaxial cable carries radio frequency signals between computers at a rate of 10 megabits per second +n03300443 any of several types of coaxial cable used in ethernets +n03301175 a jacket hanging to the waist and cut square at the bottom +n03301291 small ornamental ladies' bag for small articles +n03301389 measuring instrument consisting of a graduated glass tube for measuring volume changes in chemical reactions between gases +n03301568 a bass horn (brass wind instrument) that is the tenor of the tuba family +n03301833 a cooling system that cools by evaporation +n03301940 a handbag used with evening wear +n03302671 an exercise device resembling a stationary bike +n03302790 a device designed to provide exercise for the user +n03302938 system consisting of the parts of an engine through which burned gases or steam are discharged +n03303217 a fan that moves air out of an enclosure +n03303669 a valve through which burned gases from a cylinder escape into the exhaust manifold +n03303831 a large hall for holding exhibitions +n03304197 a guided missile developed by the French government for use against ships +n03304323 a bit with a cutting blade that can be adjusted to different sizes +n03304465 a bolt that has an attachment that expands as the bolt is driven into a surface +n03305300 a rapid automatic system to detect plastic explosives in passengers' luggage using X-ray technology and computers; designed for use in airports +n03305522 device that bursts with sudden violence from internal energy +n03305953 a system for screening luggage in airports; an agent passes a swab around or inside luggage and then runs the swab through a machine that can detect trace amounts of explosives +n03306385 public transport consisting of a fast train or bus that makes only a few scheduled stops +n03306869 an additional telephone set that is connected to the same telephone line +n03307037 an electric cord used to extend the length of a power cord +n03307573 a heat engine in which ignition occurs outside the chamber (cylinder or turbine) in which heat is converted to mechanical energy +n03307792 a drive with its own power supply and fan mounted outside the computer system enclosure and connected to the computer by a cable +n03308152 an instrument for extracting tight-fitting components +n03308481 makeup provided by a cosmetic pencil that is used to darken the eyebrows +n03308614 a small vessel with a rim curved to fit the orbit of the eye; use to apply medicated or cleansing solution to the eyeball +n03309110 makeup applied to emphasize the shape of the eyes +n03309356 a protective cloth covering for an injured eye +n03309465 combination of lenses at the viewing end of optical instruments +n03309687 makeup consisting of a cosmetic substance used to darken the eyes +n03309808 artifact made by weaving or felting or knitting or crocheting natural or synthetic fibers +n03313333 the face or front of a building +n03314227 face mask consisting of a strong wire mesh on the front of football helmets +n03314378 mask that provides a protective covering for the face in such sports as baseball or football or hockey +n03314608 a protective covering for the front of a machine or device (as a door lock or computer component) +n03314780 cosmetic powder for the face +n03314884 a piece of more-or-less transparent material that covers the face +n03315644 a protective covering that protects the outside of a building +n03315805 a lining applied to the edge of a garment for ornamentation or strengthening +n03315990 an ornamental coating to a building +n03316105 duplicator that transmits the copy by wire or radio +n03316406 a plant consisting of one or more buildings with facilities for manufacturing +n03316873 a whaling ship equipped to process whale products at sea +n03317233 a bundle of sticks and branches bound together +n03317510 the stitch that ties a group of parallel threads together in fagoting +n03317673 a thermometer calibrated in degrees Fahrenheit +n03317788 glazed earthenware decorated with opaque colors +n03317889 a ribbed woven fabric of silk or rayon or cotton +n03318136 a pulley-block used to guide a rope forming part of a ship's rigging to avoid chafing +n03318294 a small colored light used for decoration (especially at Christmas) +n03318865 a short broad slightly convex medieval sword with a sharp point +n03318983 the hinged protective covering that protects the keyboard of a piano when it is not being played +n03319167 a shelter to protect occupants from the fallout from an atomic bomb +n03319457 a mask worn as part of a masquerade costume +n03319576 a removable denture +n03319745 a recreation room in a private house +n03320046 a device for creating a current of air by movement of a surface or surfaces +n03320262 a belt driven by the crankshaft that drives a fan that pulls air through the radiator +n03320421 blade of a rotating fan +n03320519 a costume worn as a disguise at a masquerade party +n03320845 a small flag used by surveyors or soldiers to mark a position +n03320959 a semicircular window over a door or window; usually has sash bars like the ribs of a fan +n03321103 a jet engine in which a fan driven by a turbine provides extra air to the burner and gives extra thrust +n03321419 an airplane propelled by a fanjet engine +n03321563 a waist pack worn with the pouch in back +n03321843 the carved tracery on fan vaulting +n03321954 an elaborate system of vaulting in which the ribs diverge like fans +n03322570 a building on a farm +n03322704 an open-air marketplace for farm products +n03322836 house for a farmer and family +n03322940 a machine used in farming +n03323096 a farm together with its buildings +n03323211 an area adjacent to farm buildings +n03323319 a hoop worn beneath a skirt to extend it horizontally; worn by European women in the 16th and 17th centuries +n03323703 restraint that attaches to something or holds something in place +n03324629 nuclear reactor in which nuclear fissions are caused by fast neutrons because little or no moderator is used +n03324814 a health spa that specializes in helping people lose weight +n03324928 military uniform worn by military personnel when doing menial labor +n03325088 a regulator for controlling the flow of a liquid from a reservoir +n03325288 a piece of armor plate below the breastplate +n03325403 an upholstered armchair +n03325584 a long thin fluffy scarf of feathers or fur +n03325691 a thin tapering edge +n03325941 a hat made of felt with a creased crown +n03326073 a circuit that feeds back some of the output to the input of a system +n03326371 a building where livestock are fattened for market +n03326475 seam made by turning under or folding together and stitching the seamed materials to avoid rough edges +n03326660 rim (or part of the rim) into which spokes are inserted +n03326795 a fabric made of compressed matted animal fibers +n03326948 a pen with a writing tip made of felt (trade name Magic Marker) +n03327133 a fast narrow sailing ship of the Mediterranean +n03327234 a barrier that serves to enclose an area +n03327553 a face mask made of fine mesh that is worn over a fencer's face +n03327691 a sword used in the sport of fencing +n03327841 a barrier that surrounds the wheels of a vehicle to block splashing water or mud +n03328201 an inclined metal frame at the front of a locomotive to clear the track +n03329302 a vertical rotating mechanism consisting of a large wheel with suspended seats that remain upright as the wheel rotates; provides a ride at an amusement park +n03329536 a metal cap or band placed on a wooden pole to prevent splitting +n03329663 a boat that transports people or vehicles across a body of water and operates on a regular schedule +n03330002 a switch (a stick or cane or flat paddle) used to punish children +n03330665 a curtain of fabric draped and bound at intervals to form graceful curves +n03330792 a stethoscope placed on the pregnant woman's abdomen to listen for the fetal heartbeat +n03330947 a shackle for the ankles or feet +n03331077 a felt cap (usually red) for a man; shaped like a flat-topped cone with a tassel that hangs from the crown +n03331244 a leatherlike material made by compressing layers of paper or cloth +n03331599 a cable made of optical fibers that can transmit large amounts of information at the speed of light +n03332005 a flexible medical instrument involving fiber optics that is used to examine internal organs +n03332173 a lightweight triangular scarf worn by a woman +n03332271 a bow used in playing the violin +n03332393 movable artillery (other than antiaircraft) used by armies in the field (especially for direct support of front-line troops) +n03332591 the electric coil around a field magnet that produces the magneto motive force to set up the flux in an electric machine +n03332784 a transistor in which most current flows in a channel whose effective resistance can be controlled by a transverse electric field +n03332989 electron microscope used to observe the surface structure of a solid +n03333129 a small refracting telescope +n03333252 ball used in playing field hockey +n03333349 a temporary military hospital near the battle lines +n03333610 a building for indoor sports +n03333711 the lens that is farthest from the eye in an optical device with more than one lens +n03333851 a magnet that provides a magnetic field in a dynamo or electric motor +n03334017 an early form of color TV in which successive fields are scanned in three primary colors +n03334291 a canvas tent for use in the field +n03334382 a temporary fortification built by troops in the field +n03334492 a small high-pitched flute similar to a piccolo; has a shrill tone and is used chiefly to accompany drums in a marching band +n03334912 an extra car wheel and tire for a four-wheel vehicle +n03335030 a high-speed military or naval airplane designed to destroy enemy aircraft in the air +n03335333 a fixed chair from which a saltwater angler can fight a hooked fish +n03335461 a covering consisting of anything intended to conceal something regarded as shameful +n03335846 a knot having the shape of the numeral 8; tied in a rope that has been passed through a hole or pulley and that prevents the rope from coming loose +n03336168 a loom for weaving figured fabrics +n03336282 an ice skate worn for figure skating; has a slightly curved blade and a row of jagged points at the front of the blade +n03336575 a thin wire (usually tungsten) that is heated white hot by the passage of an electric current +n03336742 a bobbin used in spinning silk into thread +n03336839 a steel hand tool with small sharp teeth on some or all of its surfaces; used for smoothing wood or metal +n03337140 office furniture consisting of a container for keeping papers in order +n03337383 folder that holds papers together in a filing cabinet +n03337494 (computer science) a digital computer that provides workstations on a network with controlled access to shared resources +n03337822 delicate and intricate ornamentation (usually in gold or silver or other fine twisted wire) +n03338287 (dentistry) a dental appliance consisting of any of various substances (as metal or plastic) inserted into a prepared cavity in a tooth +n03338821 photographic material consisting of a base of celluloid covered with a photographic emulsion; used to make negatives or transparencies +n03339296 a thin sheet of (usually plastic and usually transparent) material used to wrap or cover things +n03339529 a mechanism for advancing film in a camera or projector +n03339643 device that removes something from whatever passes through it +n03340009 an electrical device that alters the frequency spectrum of signals passing through it +n03340723 optical device that helps a user to find the target of interest +n03340923 elaborate or showy attire and accessories +n03341035 a comb with teeth set close together +n03341153 one of the parts of a glove that provides covering for a finger or thumb +n03341297 a narrow strip of wood on the neck of some stringed instruments (violin or cello or guitar etc) where the strings are held against the wood with the fingers +n03341606 small bowl for rinsing the fingers at table +n03342015 paint that has the consistency of jelly +n03342127 a painting produced by spreading paint with the fingers +n03342262 a flat protective covering (on a door or wall etc) to prevent soiling by dirty fingers +n03342432 a sheath worn to protect a finger +n03342657 the final coating of plaster applied to walls and ceilings +n03342863 the final coat of paint +n03342961 a race car that finishes a race +n03343047 a metal plate projecting from the keel of a shallow vessel to give it greater lateral stability +n03343234 a wooden plug forming a flue pipe (as the mouthpiece of a recorder) +n03343354 a tubular wind instrument with 8 finger holes and a fipple mouthpiece +n03343560 a fireplace in which a relatively small fire is burning +n03343737 an alarm that is tripped off by fire or smoke +n03343853 a portable gun +n03344305 a bell rung to give a fire alarm +n03344393 a boat equipped to fight fires on ships or along a waterfront +n03344509 a furnace (as on a steam locomotive) in which fuel is burned +n03344642 brick made of fire clay; used for lining e.g. furnaces and chimneys +n03344784 naval radar that controls the delivery of fire on a military target +n03344935 naval weaponry consisting of a system for controlling the delivery of fire on a military target +n03345487 any of various large trucks that carry firemen and equipment to the site of a fire +n03345837 a manually operated device for extinguishing small fires +n03346135 metal fireside implements +n03346289 an ax that has a long handle and a head with one cutting edge and a point on the other side +n03346455 an open recess in a wall at the base of a chimney where a fire can be built +n03347037 a metal screen before an open fire for protection (especially against flying sparks) +n03347472 tongs for taking hold of burning coals +n03347617 a watchtower where a lookout is posted to watch for fires +n03348142 (computing) a security system consisting of a combination of hardware and software that limits the exposure of a computer or computer network to attack from crackers; commonly used on local area networks that are connected to the internet +n03348868 chamber that is the part of a gun that receives the charge +n03349020 striker that ignites the charge by striking the primer +n03349296 a small wooden keg +n03349367 a chisel with a thin blade for woodworking +n03349469 kit consisting of a set of bandages and medicines for giving first aid +n03349599 a station providing emergency care or treatment before regular medical aid can be obtained +n03349771 the base that must be touched first by a base runner in baseball +n03349892 the most expensive accommodations on a ship or train or plane +n03350204 a transparent bowl in which small fish are kept +n03350352 a knot for tying a line to a spar or ring +n03350456 a knot for tying the ends of two lines together +n03350602 (angling) any bright artificial bait consisting of plastic or metal mounted with hooks and trimmed with feathers +n03351151 a sharp barbed hook for catching fish +n03351262 a vessel for fishing; often has a well to keep the catch alive +n03351434 gear used in fishing +n03351979 a rod of wood or steel or fiberglass that is used in fishing to extend the fishing line +n03352232 a butt joint formed by bolting fish plates to the sides of two rails or beams +n03352366 a small table knife with a spatula blade used for eating fish +n03352628 a net that will enclose fish when it is pulled in +n03352961 a food turner with a broad blade used for turning or serving fish or other food that is cooked in a frying pan +n03353281 any of the items furnishing or equipping a room (especially built-in furniture) +n03353951 a varnish dissolved in alcohol and sprayed over pictures to prevent smudging +n03354207 a house or other dwelling in need of repair (usually offered for sale at a low price) +n03354903 emblem usually consisting of a rectangular piece of cloth of distinctive design +n03355468 a small fipple flute with four finger holes and two thumb holes +n03355768 a large metal or pottery vessel with a handle and spout; used to hold alcoholic beverages (usually wine) +n03355925 a tall staff or pole on which a flag is raised +n03356038 the ship that carries the commander of a fleet and flies his flag +n03356279 an implement consisting of handle with a free swinging stick at the end; used in manual threshing +n03356446 a flaming torch (such as are used in processions at night) +n03356559 a weapon that squirts ignited fuel for several yards +n03356858 a projection used for strength or for attaching to another object +n03356982 a soft light woolen fabric; used for clothing +n03357081 (usually in the plural) trousers made of flannel or gabardine or tweed or white cloth +n03357267 a cotton fabric imitating flannel +n03357716 a movable airfoil that is part of an aircraft wing; used to increase lift or drag +n03358172 a lamp for providing momentary light to take a photograph +n03358380 a bright patch of color used for decoration or identification +n03358726 a camera with a photoflash attachment +n03358841 an electrical device that automatically turns a lamp on and off (as for an advertising display) +n03359137 a small portable battery-powered electric lamp +n03359285 a small dry battery containing dry cells; used to power flashlights +n03359436 nonvolatile storage that can be electrically erased and programmed anew +n03359566 bottle that has a narrow neck +n03360133 an arch with mutually supporting voussoirs that has a straight horizontal extrados and intrados +n03360300 an open truck bed or trailer with no sides; used to carry large heavy objects +n03360431 a printing press where the type is carried on a flat bed under a cylinder that holds paper and rolls over the type +n03360622 a bench on which a weightlifter lies to do exercises +n03360731 freight car without permanent sides or roof +n03361109 a file with two flat surfaces +n03361297 a tiny flat +n03361380 a type of video display that is thin and flat; commonly used in laptop computers +n03361550 footwear (shoes or slippers) with no heel (or a very low heel) +n03361683 a screwdriver with a flat wedge-shaped tip that fits into a slot in the head of a screw +n03362639 a soft bulky fabric with deep pile; used chiefly for clothing +n03362771 a submarine carrying ballistic missiles +n03362890 (heraldry) charge consisting of a conventionalized representation of an iris +n03363363 simulator consisting of a machine on the ground that simulates the conditions of flying a plane +n03363549 an obsolete gunlock that has flint embedded in the hammer; the flint makes a spark that ignites the charge +n03363749 a muzzle loader that had a flintlock type of gunlock +n03364008 a backless sandal held to the foot by a thong between the big toe and the second toe +n03364156 a shoe for swimming; the paddle-like front is an aid in swimming (especially underwater) +n03364599 a hand tool with a flat face used for smoothing and finishing the surface of plaster or cement or stucco +n03364937 dry dock that can be submerged under a vessel and then raised +n03365231 a seaplane equipped with pontoons for landing or taking off from water +n03365374 light that is a source of artificial illumination having a broad beam; used in photography +n03365592 the inside lower horizontal surface (as of a room, hallway, tent, or other structure) +n03365991 a structure consisting of a room or set of rooms at a single position along a vertical scale +n03366464 the legislative hall where members debate and vote and conduct other business +n03366721 the floor of an automobile +n03366823 a covering for a floor +n03366974 joist that supports a floor +n03367059 a lamp that stands on the floor +n03367321 a cheap lodging house +n03367410 a shop where flowers and ornamental plants are sold +n03367545 a soft loosely twisted thread used in embroidery +n03367875 the floating wreckage of a ship +n03367969 a bin for holding flour +n03368048 a mill for grinding grain into flour +n03368352 a bed in which flowers are growing +n03369276 a brass instrument resembling a cornet but with a wider bore +n03369407 an automotive power coupling +n03369512 a kind of fluid coupling in which the flywheel is the driving rotor +n03369866 watercourse that consists of an open artificial chute filled with water for power or for carrying logs +n03370387 lamp consisting of a tube coated on the inside with a fluorescent material; mercury vapor in the tube emits ultraviolet radiation that is converted to visible radiation by the fluorescent material +n03370646 an X-ray machine that combines an X-ray source and a fluorescent screen to enable direct observation +n03371875 a toilet that is cleaned of waste by the flow of water through it +n03372029 a high-pitched woodwind instrument; a slender tube closed at one end with finger holes on one end and an opening near the closed end across which the breath is blown +n03372549 a tall narrow wineglass +n03372822 an applicator for applying flux (as in soldering) +n03372933 meter that measures magnetic flux by the current it generates in a coil +n03373237 fisherman's lure consisting of a fishhook decorated to look like an insect +n03373611 a large seaplane that floats with its fuselage in the water rather than on pontoons +n03373943 a buttress that stands apart from the main structure and connected to it by an arch +n03374102 (Asian folktale) an imaginary carpet that will fly people anywhere they wish to go +n03374282 the outermost of two or more jibs +n03374372 a long flexible fishing rod used in fly fishing +n03374473 a tent with a fly front +n03374570 a trap for catching flies +n03374649 regulator consisting of a heavy wheel that stores kinetic energy and smooths the operation of a reciprocating engine +n03374838 short chain or ribbon attaching a pocket watch to a man's vest +n03375171 a warning device consisting of a horn that generates a loud low tone +n03375329 headlight that provides strong beam for use in foggy weather +n03375575 a light slender flexible sword tipped by a button +n03376159 a pen for sheep +n03376279 covering that is folded over to protect the contents +n03376595 a chair that can be folded flat for storage +n03376771 an interior door that opens by folding back in sections (rather than by swinging on hinges) +n03376938 a saw with a toothed blade that folds into a handle (the way a pocketknife folds) +n03378005 an area (as in a shopping mall) where fast food is sold (usually around a common eating area) +n03378174 a kitchen appliance with interchangeable blades; used for shredding or blending or chopping or slicing food +n03378342 a hamper for packing and transporting food +n03378442 a support resembling a pedal extremity +n03378593 film that has been shot +n03378765 the inflated oblong ball used in playing American football +n03379051 a padded helmet with a face mask to protect the head of football players +n03379204 a stadium where football games are held +n03379343 a small bathtub for warming or washing or disinfecting the feet +n03379719 hydraulic brake operated by pressing on a foot pedal +n03379828 a bridge designed for pedestrians +n03379989 a place providing support for the foot in standing or climbing +n03380301 a trunk for storing personal possessions; usually kept at the foot of a bed (as in a barracks) +n03380647 a ruler one foot long +n03380724 a low seat or a stool to rest the feet of a seated person +n03380867 covering for a person's feet +n03381126 clothing worn on a person's feet +n03381231 an extractor consisting of a pair of pincers used in medical treatment (especially for the delivery of babies) +n03381450 pump used to force a liquid up and expel it under pressure +n03381565 sailing vessel with a fore-and-aft rig +n03381776 any sail not set on a yard and whose normal position is in a fore-and-aft direction +n03382104 living quarters consisting of a superstructure in the bow of a merchant ship where the crew is housed +n03382292 the outer or front court of a building or of a group of buildings +n03382413 the deck between the bridge and the forecastle +n03382533 the part of a book that faces inward when the book is shelved; the part opposite the spine +n03382708 (computer science) a window for an active application +n03382856 the mast nearest the bow in vessels with two or more masts +n03382969 a carpenter's plane intermediate between a jack plane and a jointer plane +n03383099 the lowest sail on the foremast of a square-rigged vessel +n03383211 an adjustable stay from the foremast to the deck or bowsprit; controls the bending of the mast +n03383378 a platform at the head of a foremast +n03383468 the topmast next above the foremast +n03383562 the topsail on a foremast +n03383821 furnace consisting of a special hearth where metal is heated before shaping +n03384167 an agricultural tool used for lifting or digging; has a handle and metal prongs +n03384352 a small industrial vehicle with a power operated forked platform in front that can be inserted under loads to lift and move them +n03384891 attire to wear on formal occasions in the evening +n03385295 any of various plastic laminates containing melamine +n03385557 defensive structure consisting of walls or mounds built around a stronghold to strengthen it +n03386011 a fortified defensive structure +n03386343 a .45-caliber pistol +n03386544 pendulum with a long wire; can swing in any direction; the change in the swing plane demonstrates the earth's rotation +n03386726 a light plain-weave or twill-weave silk or silklike fabric (usually with a printed design) +n03386870 protective garment that is intended to keep the wearer dry and warm in bad weather +n03387323 a woman's undergarment worn to give shape to the contours of the body +n03387653 factory where metal castings are produced +n03388043 a structure from which an artificially produced jet of water arises +n03388183 a pen that is supplied with ink from a reservoir in its barrel +n03388323 a long necktie that is tied in a slipknot with one end hanging in front of the other +n03388549 a bed with posts at the four corners that can be used to support a canopy or curtains +n03388711 an artillery gun that throws a shot weighing four pounds +n03388990 an internal-combustion engine in which an explosive mixture is drawn into the cylinder on the first stroke and is compressed and ignited on the second stroke; work is done on the third stroke and the products of combustion are exhausted on the fourth stroke +n03389611 a transmission that provides power directly to all four wheels of a motor vehicle +n03389761 a motor vehicle with a four-wheel drive transmission system +n03389889 a hackney carriage with four wheels +n03389983 a light shotgun used for fowling +n03390075 a small dugout with a pit for individual shelter against enemy fire +n03390327 a bomb with only 10 to 20 per cent explosive and the remainder consisting of casings designed to break into many small high-velocity fragments; most effective against troops and vehicles +n03390673 a basket for holding dried fruit (especially raisins or figs) +n03390786 sloping or horizontal rampart of pointed stakes +n03390983 a framework that supports and protects a picture or a mirror +n03391301 the framework for a pair of eyeglasses +n03391613 (computer science) a buffer that stores the contents of an image pixel by pixel +n03391770 a structure supporting or containing something +n03392648 a type of hydroelectric turbine +n03392741 a machine that automatically stamps letters or packages passing through it and computes the total charge +n03393017 a public house that is not controlled by a brewery and so is free to sell different brands of beer and ale +n03393199 a reed that does not fit closely over the aperture +n03393324 a wind instrument with a free reed +n03393761 a clutch (as on the rear wheel of a bicycle) that allows wheels to turn freely (as in coasting) +n03393912 a railway car that carries freight +n03394149 an elevator designed for carrying freight +n03394272 a long-distance express freight train between industrial centers and seaports with facilities for rapid loading and unloading of goods +n03394480 a railroad train consisting of freight cars +n03394649 a light door with transparent or glazed panels extending the full length +n03394916 a brass musical instrument consisting of a conical tube that is coiled into a spiral and played by means of valves +n03395256 a varnish for wood consisting of shellac dissolved in alcohol +n03395401 a mansard roof with sides that are nearly perpendicular +n03395514 a French door situated in an exterior wall of a building +n03395859 lens composed of a number of small lenses arranged to make a lightweight lens of large diameter and short focal length +n03396074 a small bar of metal across the fingerboard of a musical instrument; when the string is stopped by a finger at the metal bar it will produce a note of the desired pitch +n03396580 a monastery of friars +n03396654 a clutch in which one part turns the other by the friction between them +n03396997 a heavy woolen fabric with a long nap +n03397087 an architectural ornament consisting of a horizontal sculptured band between the architrave and the cornice +n03397266 a United States warship larger than a destroyer and smaller than a cruiser +n03397412 a medium size square-rigged warship of the 18th and 19th centuries +n03397532 a strip of pleated material used as a decoration or a trim +n03397947 a light, plastic disk about 10 inches in diameter; propelled with a flip of the wrist for recreation or competition +n03398153 a habit worn by clerics +n03398228 a man's coat having knee-length skirts front and back; worn in the 19th century +n03399579 an adornment worn on the forehead +n03399677 a porch for the front door +n03399761 a projector for digital input +n03399971 a coin-operated gambling machine that produces random combinations of symbols (usually pictures of different fruits) on rotating dials; certain combinations win money for the player +n03400231 a pan used for frying foods +n03400972 a filter in the fuel line that screens out dirt and rust particles from the fuel +n03401129 an indicator of the amount of fuel remaining in a vehicle +n03401279 mechanical system to inject atomized fuel directly into the cylinders of an internal-combustion engine; avoids the need for a carburetor +n03401721 equipment in a motor vehicle or aircraft that delivers fuel to the engine +n03402188 the naval or military uniform that is specified by regulations to be worn on ceremonial occasions +n03402369 a lead bullet that is covered with a jacket of a harder metal (usually copper) +n03402511 a long skirt gathered at the waist +n03402785 a device that generates a gas for the purpose of disinfecting or eradicating pests +n03402941 a mortuary where those who knew the deceased can come to pay their last respects +n03403643 a conically shaped utensil having a narrow tube at the small end; used to channel the flow of substances into a container with a small mouth +n03404012 an ambulance used to transport patients to a mental hospital +n03404149 a garment made of the dressed hairy coat of a mammal +n03404251 a coat made of fur +n03404360 a hat made of fur +n03404449 an enclosed chamber in which heat is produced to heat buildings, destroy refuse, smelt or refine ores, etc. +n03404900 lining consisting of material with a high melting point; used to line the inside walls of a furnace +n03405111 a room (usually in the basement of a building) that contains a furnace for heating the building +n03405265 (usually plural) the instrumentalities (furniture and appliances and other movable accessories including curtains and rugs) that make a home (or other area) livable +n03405595 (usually plural) accessory wearing apparel +n03405725 furnishings that make a room or other area ready for occupancy +n03406759 a neckpiece made of fur +n03406966 a long shallow trench in the ground (especially one made by a plow) +n03407369 an electrical device that can interrupt the flow of electrical current when it is overloaded +n03407865 a spirally grooved spindle in a clock that counteracts the diminishing power of the uncoiling mainspring +n03408054 the central body of an airplane that is designed to accommodate the crew and passengers (or cargo) +n03408264 a light flintlock musket +n03408340 a strong cotton and linen fabric with a slight nap +n03408444 mattress consisting of a pad of cotton batting that is used for sleeping on the floor or on a raised frame +n03409297 a firm durable fabric with a twill weave +n03409393 the vertical triangular wall between the sloping ends of gable roof +n03409591 a double sloping roof with a ridge and gables at each end +n03409920 appliances collectively +n03410022 an iron hook with a handle; used for landing large fish +n03410147 a spar rising aft from a mast to support the head of a quadrilateral fore-and-aft sail +n03410303 a sharp metal spike or spur that is fastened to the leg of a gamecock +n03410423 a quadrilateral fore-and-aft sail suspended from a gaff +n03410571 a triangular fore-and-aft sail with its foot along the gaff and its luff on the topmast +n03410740 restraint put into a person's mouth to prevent speaking or shouting +n03410938 legging consisting of a cloth or leather covering for the leg from the knee to the ankle +n03411079 a shoe covering the ankle with elastic gores in the sides +n03411208 a type of refracting telescope that is no longer used in astronomy +n03411339 a large square-rigged sailing ship with three or more masts; used by the Spanish for commerce and war from the 15th to 18th centuries +n03411927 a long usually narrow room used for some specific purpose +n03412058 a room or series of rooms where works of art are exhibited +n03412220 the area for food preparation on a ship +n03412387 the kitchen area for food preparation on an airliner +n03412511 (classical antiquity) a crescent-shaped seagoing vessel propelled by oars +n03412906 an instrument of execution consisting of a wooden frame from which a condemned person is executed by hanging +n03413124 alternative terms for gallows +n03413264 meter for detecting or comparing or measuring small electric currents +n03413428 a public building in which a variety of games of chance can be played (operated as a business) +n03413684 a gable roof with two slopes on each side and the lower slope being steeper +n03413828 the game equipment needed in order to play a particular game +n03414029 a canvas or leather bag for carrying game (especially birds) killed by a hunter +n03414162 equipment or apparatus used in playing a game +n03414676 a table used for gambling; may be equipped with a gameboard and slots for chips +n03415252 colloquial terms for an umbrella +n03415486 a temporary bridge for getting on and off a vessel at dockside +n03415626 a power saw that has several parallel blades making simultaneous cuts +n03415749 a temporary passageway of planks (as over mud on a building site) +n03415868 the convergence of two parallel railroad tracks in a narrow place; the inner rails cross and run parallel and then diverge so a train remains on its own tracks at all times +n03416094 a framework of steel bars raised on side supports to bridge over or around something; can display railway signals above several tracks or can support a traveling crane etc. +n03416489 an outbuilding (or part of a building) for housing automobiles +n03416640 a repair shop where cars and trucks are serviced and repaired +n03416775 a semiautomatic rifle +n03416900 a receptacle where waste can be discarded +n03417042 a truck for collecting domestic refuse +n03417202 the first wale laid next to the keel of a wooden ship +n03417345 a plot of ground where plants are cultivated +n03417749 a yard or lawn adjoining a house +n03417970 a rake used by gardeners +n03418158 a spade used by gardeners +n03418242 used for working in gardens or yards +n03418402 a trowel used by gardeners +n03418618 a spout that terminates in a grotesquely carved figure of a person or animal +n03418749 a loose high-necked blouse with long sleeves; styled after the red flannel shirts worn by Garibaldi's soldiers +n03418915 a press for extracting juice from garlic +n03419014 an article of clothing +n03420345 a suitcase that unfolds to be hung up +n03420801 a wedge-shaped wool or cotton cap; worn as part of a uniform +n03420935 an instrument of execution for execution by strangulation +n03421117 a band (usually elastic) worn around the leg to hold up a stocking (or around the arm to hold up a sleeve) +n03421324 a wide belt of elastic with straps hanging from it; worn by women to hold up stockings +n03421485 a knitting stitch that results in a pattern of horizontal ridges formed by knitting both sides (instead of purling one side) +n03421669 a car with relatively low fuel efficiency +n03421768 (military) bomb consisting of an explosive projectile filled with a toxic gas that is released when the bomb explodes +n03421960 a pipe with one or more burners projecting from a wall +n03422072 burner such that combustible gas issues from a nozzle to form a steady flame +n03422484 a nuclear reactor using gas as a coolant +n03422589 a tube in which an electric discharge takes place through a gas +n03422771 an internal-combustion engine similar to a gasoline engine but using natural gas instead of gasoline vapor +n03423099 a device to convey illuminating gas from the pipe to the gas burner +n03423224 a furnace that burns gas +n03423306 a gun that fires gas shells +n03423479 a heater that burns gas for heat +n03423568 a large gas-tight spherical or cylindrical tank for holding gas to be used as fuel +n03423719 seal consisting of a ring for packing pistons or sealing a pipe joint +n03423877 a lamp that burns illuminating gas +n03424204 a maser in which microwave radiation interacts with gas molecules +n03424325 a protective mask with a filter; protects the face and lungs against poisonous gases +n03424489 a meter for measuring the amount of gas flowing through a particular pipe +n03424630 an internal-combustion engine that burns gasoline; most automobiles are driven by gasoline engines +n03424862 gauge that indicates the amount of gasoline left in the gasoline tank of a vehicle +n03425241 a domestic oven fueled by gas +n03425325 a cremation chamber fueled by gas +n03425413 a pump in a service station that draws gasoline from underground storage tanks +n03425595 a range with gas rings and an oven for cooking with gas +n03425769 gas burner consisting of a circular metal pipe with several small holes through which gas can escape to be burned +n03426134 a tank for holding gasoline to supply a vehicle +n03426285 thermometer that measures temperature by changes in the pressure of a gas kept at constant volume +n03426462 a type of endoscope for visually examining the stomach +n03426574 turbine that converts the chemical energy of a liquid fuel into mechanical energy by internal combustion; gaseous products of the fuel (which is burned in compressed air) are expanded through a turbine +n03426871 a ship powered by a gas turbine +n03427202 a gangster's pistol +n03427296 a movable barrier in a fence or wall +n03428090 a house built at a gateway; usually the gatekeeper's residence +n03428226 a drop-leaf table with the drop-leaves supported by hinged legs +n03428349 either of two posts that bound a gate +n03429003 a skirt whose fabric is drawn together around the waist +n03429137 an early form of machine gun having several barrels that fire in sequence as they are rotated +n03429288 a measuring instrument for measuring and indicating a quantity such as the thickness of wire or the amount of rain etc. +n03429682 a glove with long sleeve +n03429771 a glove of armored leather; protects the hand +n03429914 a net of transparent fabric with a loose open weave +n03430091 (medicine) bleached cotton cloth of plain weave used for bandages and dressings +n03430313 a small mallet used by a presiding officer or a judge +n03430418 a small roofed building affording shade and rest +n03430551 a toothed wheel that engages another toothed mechanism in order to change the speed or direction of transmitted motion +n03430959 equipment consisting of miscellaneous articles needed for a particular operation or sport etc. +n03431243 a mechanism for transmitting motion for some specific purpose (as the steering gear of a vehicle) +n03431570 the shell (metal casing) in which a train of gears is sealed +n03431745 wheelwork consisting of a connected set of rotating gears by which force is transmitted or motion or torque is changed +n03432061 a set of gears +n03432129 a mechanical device for engaging and disengaging gears +n03432360 counter tube that detects ionizing radiations +n03432509 an ionization chamber contained in a tube in a Geiger counter +n03433247 a microchip that holds DNA probes that form half of the DNA double helix and can recognize DNA from samples being tested +n03433637 a large bomb (500 to 2,000 pounds that is 50% explosive) whose explosion creates a blast and whose metal casing creates some fragmentation effect +n03433877 engine that converts mechanical energy into electrical energy by electromagnetic induction +n03434188 an apparatus that produces a vapor or gas +n03434285 an electronic device for producing a signal voltage +n03434830 black academic gown widely used by Protestant clergymen +n03435593 a lightweight dome constructed of interlocking polygons; invented by R. Buckminster Fuller +n03435743 a thin silk dress material +n03435991 a horse-drawn carriage in India +n03436075 stairway in India leading down to a landing on the water +n03436182 a portable stereo +n03436417 a shop that sells miscellaneous articles appropriate as gifts +n03436549 ornamental wrapping for gifts +n03436656 small two-wheeled horse-drawn carriage; with two seats and no hood +n03436772 tender that is a light ship's boat; often for personal use of captain +n03436891 long and light rowing boat; especially for racing +n03436990 a cluster of hooks (without barbs) that is drawn through a school of fish to hook their bodies; used when fish are not biting +n03437184 the meeting place of a medieval guild +n03437295 a flat fishnet suspended vertically in the water to entangle fish by their gills +n03437430 a coating of gold or of something that looks like gold +n03437581 an appliance that allows an object (such as a ship's compass) to remain horizontal even as its support tips +n03437741 a clothing fabric in a plaid weave +n03437829 an ornate candle holder; often with a mirror +n03437941 a beam made usually of steel; a main support in a structure +n03438071 a band of material around the waist that strengthens a skirt or trousers +n03438257 a container for holding liquids while drinking +n03438661 glassware collectively +n03438780 a tool for cutting glass +n03438863 a case for carrying spectacles +n03439348 a parsonage (especially one provided for the holder of a benefice) +n03439631 a Scottish cap with straight sides and a crease along the top from front to back; worn by Highlanders as part of military dress +n03439814 aircraft supported only by the dynamic action of air against its surfaces +n03440216 a navigational system involving satellites and computers that can determine the latitude and longitude of a receiver on Earth by computing the time difference for signals from different satellites to reach the receiver +n03440682 a percussion instrument consisting of a set of graduated metal bars mounted on a frame and played with small hammers +n03440876 a small locker at the stern of a boat or between decks of a ship +n03441112 handwear: covers the hand and wrist +n03441345 compartment on the dashboard of a car +n03441465 a gas-discharge tube with a hot cathode; used in stroboscopes +n03441582 a gas-discharge tube consisting of a cold cathode and a diode in a tube filled with gas; the color of the glow depends on the particular gas +n03442288 carvings or engravings (especially on precious stones) +n03442487 the art of engraving on precious stones +n03442597 indicator provided by the stationary arm whose shadow indicates the time on the sundial +n03442756 game equipment consisting of the place toward which players of a game try to advance a ball or puck in order to score points +n03443005 (sports) the area immediately in front of the goal +n03443149 one of a pair of posts (usually joined by a crossbar) that are set up as a goal at each end of a playing field +n03443371 a drinking glass with a base and stem +n03443543 (in India and Malaysia) a warehouse +n03443912 tight-fitting spectacles worn to protect the eyes +n03444034 a small low motor vehicle with four wheels and an open framework; used for racing +n03445326 a thin plating of gold on something +n03445617 golf equipment consisting of a bag for carrying golf clubs and balls +n03445777 a small hard ball used in playing golf; dimpled to reduce wind resistance +n03445924 a small motor vehicle in which golfers can ride between shots +n03446070 golf equipment used by a golfer to hit a golf ball +n03446268 (golf) the head of the club which strikes the ball +n03446832 sports equipment used in playing golf +n03447075 a glove worn by golfers to give a firm grip on the handle of the golf club +n03447358 a grotesque black doll +n03447447 long narrow flat-bottomed boat propelled by sculling; traditionally used on canals of Venice +n03447721 a percussion instrument consisting of a metal plate that is struck with a softheaded drumstick +n03447894 direction finder that determines the angular direction of incoming radio signals +n03448031 an intricate knot tied by Gordius, the king of Phrygia, and cut by the sword of Alexander the Great after he heard that whoever undid it would become ruler of Asia +n03448590 armor plate that protects the neck +n03448696 a gauze fabric with an extremely fine texture +n03448956 a pointed arch; usually has a joint (instead of a keystone) at the apex +n03449217 an opaque watercolor prepared with gum +n03449309 and edge tool with a blade like a trough for cutting channels or grooves +n03449451 bottle made from the dried shell of a bottle gourd +n03449564 a building that houses a branch of government +n03449858 an office where government employees work +n03450230 a woman's dress, usually with a close-fitting bodice and a long flared skirt, often worn on formal occasions +n03450516 outerwear consisting of a long flowing garment used for official or ceremonial occasions +n03450734 protective garment worn by surgeons during operations +n03450881 a mechanical device for gripping an object +n03450974 a container from which a person draws a wrapped item at random without knowing the contents +n03451120 a bar attached parallel to a wall to provide a handgrip for steadying yourself +n03451253 cup to be passed around for the final toast after a meal +n03451365 a crossing that uses an underpass or overpass +n03451711 a cylindrical graduate +n03451798 a rude decoration inscribed on rocks or walls +n03452267 an antique record player; the sound of the vibrating needle is amplified acoustically +n03452449 a storehouse for threshed grain or animal feed +n03452594 a pendulum clock enclosed in a tall narrow case +n03452741 a piano with the strings on a horizontal harp-shaped frame; usually supported by three legs +n03453231 a kind of stone-grey enamelware +n03453320 a reef knot crossed the wrong way and therefore insecure +n03453443 an arbor where grapes are grown +n03454110 a light anchor for small boats +n03454211 a tool consisting of several hooks for grasping and holding; often thrown with a rope +n03454442 a skirt made of long blades of grass +n03454536 a frame of iron bars to hold a fire +n03454707 a barrier that has parallel or crossed bars blocking a passage but admitting air +n03454885 utensil with sharp perforations for shredding foods (as vegetables or cheese) +n03455355 a tool used by an engraver +n03455488 a stone that is used to mark a grave +n03455642 a measuring instrument for measuring variations in the gravitational field of the earth +n03455802 an intaglio print produced by gravure +n03456024 a dish (often boat-shaped) for serving gravy or sauce +n03456186 clothing that is a grey color +n03456299 a hand-operated pump that resembles a revolver; forces grease into parts of a machine +n03456447 a greasy substance used as makeup by actors +n03456548 a small restaurant specializing in short-order fried foods +n03456665 a heavy coat worn over clothes in winter +n03457008 the principal hall in a castle or mansion; can be used for dining or entertainment +n03457451 armor plate that protects legs below the knee +n03457686 a greengrocer's grocery store +n03457902 a building with glass walls and roof; for the cultivation and exhibition of plants under controlled conditions +n03458271 a small explosive bomb thrown by hand or fired from a missile +n03458422 a cooking utensil of parallel metal bars; used to grill fish or meat +n03459328 cooking utensil consisting of a flat heated surface (as on top of a stove) on which food is cooked +n03459591 a framework of metal bars used as a partition or a grate +n03459775 grating that admits cooling air to car's radiator +n03459914 a restaurant where food is cooked on a grill +n03460040 a machine tool that polishes metal +n03460147 a wheel composed of abrasive material; used for grinding +n03460297 a revolving stone shaped like a disk; used to grind or sharpen or polish edge tools +n03460455 a small suitcase +n03460899 a mill for grinding grain (especially the customer's own grain) +n03461288 a sack for holding customer's groceries +n03461385 a marketplace where groceries are sold +n03461651 a coarse fabric of silk mixed with wool or mohair and often stiffened with gum +n03461882 two barrel vaults intersecting at right angles +n03461988 a device that makes grooves by cutting or punching +n03462110 a silk or silklike fabric with crosswise ribs +n03462315 a needlepoint stitch covering two horizontal and two vertical threads +n03462747 a connection between an electrical device and a large conducting body, such as the earth (which is taken to be at zero voltage) +n03462972 bait scattered on the water to attract fish +n03463185 a communication system for sending continuous radio messages to an airplane pilot who is making a ground-controlled approach to landing +n03463381 the floor of a building that is at or nearest to the level of the ground around the building +n03463666 a waterproofed piece of cloth spread on the ground (as under a tent) to protect from moisture +n03464053 minimal clothing worn by stripteasers; a narrow strip of fabric that covers the pubic area, passes between the thighs, and is supported by a waistband +n03464467 a device designed to prevent injury or accidents +n03464628 a boat that is on guard duty (as in a harbor) around a fleet of warships +n03464952 a room used by soldiers on guard +n03465040 a cell in which soldiers who are prisoners are confined +n03465151 a warship (at anchor or under way) required to maintain a higher degree of readiness than others in its squadron +n03465320 the car on a train that is occupied by the guard +n03465426 a small round table +n03465500 a violin made by a member of the Guarneri family +n03465605 a house separate from the main house; for housing guests +n03465718 a bedroom that is kept for the use of guests +n03465818 a system of equipment for automatically guiding the path of a vehicle (especially a missile) +n03466162 a rocket-propelled missile whose path can be controlled during flight either by radio signals or by internal homing devices +n03466493 a cruiser that carries guided missiles +n03466600 a frigate that carries guided missiles +n03466839 the hall of a guild or corporation +n03466947 an architectural decoration formed by two intersecting wavy bands +n03467068 instrument of execution that consists of a weighted blade between two vertical poles; used for beheading people +n03467254 a short blouse with sleeves that is worn under a jumper or pinafore dress +n03467380 a piece of starched cloth covering the shoulders of a nun's habit +n03467517 a stringed instrument usually having six strings; played by strumming or plucking +n03467796 a plectrum used to pluck a guitar +n03467887 a Russian prison camp for political prisoners +n03467984 a weapon that discharges a missile at high velocity (especially from a metal tube or barrel) +n03468570 a small shallow-draft boat carrying mounted guns; used by costal patrols +n03468696 a framework on which a gun is mounted for firing +n03468821 a case for storing a gun +n03469031 an emplacement for a gun +n03469175 a self-contained weapons platform housing guns and capable of rotation +n03469493 the action that ignites the charge in a firearm +n03469832 guns collectively +n03469903 a bag made of burlap +n03470005 a ballistic pendulum consisting of a suspended gun; the velocity of a projectile in the bore of a gun can be measured by the recoil when the gun is discharged +n03470222 military quarters of midshipmen and junior officers on a British warship +n03470387 a sight used for aiming a gun +n03470629 lever that activates the firing mechanism of a gun +n03470948 a metal stretcher with wheels +n03471030 an oil well with a strong natural flow so that pumping is not necessary +n03471190 a piece of material used to strengthen or enlarge a garment +n03471347 a metal plate used to strengthen a joist +n03471779 a cable, wire, or rope that is used to brace something (especially a tent) +n03472232 sports equipment used in gymnastic exercises +n03472535 a canvas shoe with a pliable rubber sole +n03472672 clothes prescribed for wear while participating in gymnastic exercise +n03472796 a sleeveless tunic worn by English girls as part of a school uniform +n03472937 a taxicab that cruises for customers although it is licensed only to respond to calls +n03473078 a compass that does not depend on magnetism but uses a gyroscope instead +n03473227 rotating mechanism in the form of a universally mounted spinning wheel that offers resistance to turns in any direction +n03473465 a stabilizer consisting of a heavy gyroscope that spins on a vertical axis; reduces side-to-side rolling of a ship or plane +n03473817 (Middle Ages) a light sleeveless coat of chain mail worn under the hauberk +n03473966 a distinctive attire worn by a member of a religious order +n03474167 attire that is typically worn by a horseback rider (especially a woman's attire) +n03474352 the main house on a ranch or large estate +n03474779 saw used with one hand for cutting metal +n03474896 the handle of a weapon or tool +n03475581 a brush used to groom a person's hair +n03475674 cloth woven from horsehair or camelhair; used for upholstery or stiffening in garments +n03475823 a toiletry for the hair +n03475961 a small net that some women wear over their hair to keep it in place +n03476083 a covering or bunch of human or artificial hair used for disguise or adornment +n03476313 a double pronged pin used to hold women's hair in place +n03476542 an uncomfortable shirt made of coarse animal hair; worn next to the skin as a penance +n03476684 a decorative hinged clip that girls and women put in their hair to hold it in place +n03476991 toiletry consisting of a commercial preparation that is sprayed on the hair to hold it in place +n03477143 a fine spiral spring that regulates the movement of the balance wheel in a timepiece +n03477303 a gun trigger that responds with little pressure +n03477410 a pike fitted with an ax head +n03477512 book binding in which the spine and part of the sides are bound in one material and the rest in another +n03477773 a hatchet with a broad blade on one end and a hammer head of the other +n03477902 a knot used to fasten a rope temporarily to an object; usually tied double +n03478589 a motor vehicle propelled by half tracks; frequently used by the military +n03478756 a large building for meetings or entertainment +n03478907 a large room for gatherings or entertainment +n03479121 a large building used by a college or university for teaching or research +n03479266 a building containing trophies honoring famous people +n03479397 a university dormitory +n03479502 a piece of furniture where coats and hats and umbrellas can be hung; usually has a mirror +n03480579 a woman's top that fastens behind the back and neck leaving the back and arms uncovered +n03480719 rope or canvas headgear for a horse, with a rope for leading +n03480973 stable gear consisting of either of two curved supports that are attached to the collar of a draft horse and that hold the traces +n03481172 a hand tool with a heavy rigid head and a handle; used to deliver an impulsive force by striking +n03481521 a power tool for drilling rocks +n03482001 a heavy metal sphere attached to a flexible wire; used in the hammer throw +n03482128 the striking part of a hammer +n03482252 a hanging bed of canvas or rope netting (usually suspended between two trees); swings easily +n03482405 a basket usually with a cover +n03482523 a rotating pointer on the face of a timepiece +n03482877 a small rubber ball used in playing the game of handball +n03483086 a rectangular frame with handles at both ends; carried by two people +n03483230 a bell that is held in the hand +n03483316 a hand-held electric blower that can blow warm air onto the hair; used for styling hair +n03483531 a bow drawn by hand as distinguished from a crossbow +n03483637 a brake operated by hand; usually operates by mechanical linkage +n03483823 a calculator small enough to hold in the hand or carry in a pocket +n03483971 a small railroad car propelled by hand or by a small motor +n03484083 wheeled vehicle that can be pushed by a person; may have one or two or four wheels +n03484487 moisturizing cream for the hands +n03484576 shackle that consists of a metal loop that can be locked around the wrist; usually used in pairs +n03484809 a small portable drill held and operated by hand +n03484931 light microscope consisting of a single convex lens that is used to produce an enlarged image +n03485198 a mirror intended to be held in the hand +n03485309 a grenade designed to be thrown by hand +n03485407 a portable battery-powered computer small enough to be carried in your pocket +n03485575 an appendage to hold onto +n03485794 a square piece of cloth used for wiping the eyes or nose or as a costume accessory +n03487090 the shaped bar used to steer a bicycle +n03487331 a loom powered by hand +n03487444 lotion used to soften the hands +n03487533 luggage that is light enough to be carried by hand +n03487642 outgrown garment passed down from one person to another +n03487774 a lawn mower that is operated by hand +n03487886 a pump worked by hand +n03488111 a support for the hand +n03488188 a saw used with one hand for cutting wood +n03488438 telephone set with the mouthpiece and earpiece mounted on a single handle +n03488603 a shovel that is operated by hand +n03488784 a metal bar (or length of pipe) used as a lever +n03488887 a stamp (usually made of rubber) for imprinting a mark or design by hand +n03489048 a hand-operated lever that controls the throttle valve +n03489162 a tool used with workers' hands +n03490006 a small towel used to dry the hands or face +n03490119 a handcart that has a frame with two low wheels and a ledge at the bottom and handles at the top; used to move crates or other heavy objects +n03490324 clothing for the hands +n03490449 control consisting of a wheel whose rim serves as the handle by which a part is operated +n03490649 a wheel worked by hand +n03490784 an airplane with a bad maintenance record +n03490884 anything from which something can be hung +n03491032 a glider resembling a large kite; the rider hangs from it while descending from a height +n03491724 a rope that is used by a hangman to execute persons who have been condemned to death by hanging +n03491988 a coil of rope or wool or yarn +n03492087 a two-wheeled horse-drawn covered carriage with the driver's seat above and behind the passengers +n03492250 a place of refuge and comfort and security +n03492542 a rigid magnetic disk mounted permanently in a drive unit +n03492922 a lightweight protective helmet (plastic or metal) worn by construction workers +n03493219 a car that resembles a convertible but has a fixed rigid top +n03493792 instrumentalities (tools or implements) made of metal +n03493911 a store selling hardware +n03494278 a small rectangular free-reed instrument having a row of free reeds set back in air holes and played by blowing into the desired hole +n03494537 a free-reed instrument in which air is forced through the reeds by bellows +n03494706 stable gear consisting of an arrangement of leather straps fitted to a draft animal so that it can be attached to and pull a cart +n03495039 a support consisting of an arrangement of straps for holding something to the body (especially one supporting a person suspended from a parachute) +n03495258 a chordophone that has a triangular frame consisting of a sounding board and a pillar and a curved neck; the strings stretched between the neck and the soundbox are plucked with the fingers +n03495570 a pair of curved vertical supports for a lampshade +n03495671 a spear with a shaft and barbed point for throwing; used for catching large fish or whales; a strong line is attached to it +n03495941 a cannon or similar gun that fires harpoons +n03496183 a cylindrical log with a device that registers distance +n03496296 a clavier with strings that are plucked by plectra mounted on pivots +n03496486 a loosely woven tweed made in the Outer Hebrides +n03496612 a cultivator that pulverizes or smooths the soil +n03496892 farm machine that gathers a food crop from the fields +n03497100 an inexpensive restaurant +n03497352 a fastener for a door or lid; a hinged metal plate is fitted over a staple and is locked with a pin or padlock +n03497657 headdress that protects the head from bad weather; has shaped crown and usually a brim +n03498441 a round piece of luggage for carrying hats +n03498536 a movable barrier covering a hatchway +n03498662 a sloping rear car door that is lifted to open +n03498781 a car having a hatchback door +n03498866 a comb for separating flax fibers +n03498962 a small ax with a short handle used with one hand (usually to chop wood) +n03499354 a long sturdy pin used by women to secure a hat to their hair +n03499468 a long (usually sleeveless) tunic of chain mail formerly worn as defensive armor +n03499907 guitar whose steel strings are twanged while being pressed with a movable steel bar for a glissando effect +n03500090 the hole that an anchor rope passes through +n03500209 large heavy rope for nautical use +n03500295 a knot uniting the ends of two lines +n03500389 a bale of hay +n03500457 a long-handled fork for turning or lifting hay +n03500557 a loft in a barn where hay is stored +n03500699 a farm machine that treats hay to cause more rapid and even drying +n03500838 a frame attached to a wagon to increase the amount of hay it can carry +n03500971 a rack that holds hay for feeding livestock +n03501152 an obstacle on a golf course +n03501288 a projection out from one end +n03501520 (nautical) a toilet on board a boat or ship +n03501614 the striking part of a tool +n03502200 a vertical board or panel forming the head of a bedstead +n03502331 a garment that covers the head and face +n03502509 clothing for the head +n03502777 a machine that cuts the heads off grain and moves them into a wagon +n03502897 a framing member crossing and supporting the ends of joists, studs, or rafters so as to transfer their weight to parallel joists, studs, or rafters +n03503097 brick that is laid sideways at the top of a wall +n03503233 horizontal beam used as a finishing piece over a door or window +n03503358 a mooring line that secures the bow of a boat or ship to a wharf +n03503477 a gasket to seal a cylinder head +n03503567 a gate upstream from a lock or canal that is used to control the flow of water at the upper end +n03503718 stable gear consisting of any part of a harness that fits about the horse's head +n03503997 a powerful light with reflector; attached to the front of an automobile or locomotive +n03504205 a protective helmet for the head +n03504293 the front bowling pin in the triangular arrangement of ten pins +n03504723 (usually plural) the office that serves as the administrative center of an enterprise +n03505015 a waterway that feeds water to a mill or water wheel or turbine +n03505133 a rest for the head +n03505383 any sail set forward of the foremast of a vessel +n03505504 a kerchief worn over the head and tied under the chin +n03505667 receiver consisting of a pair of headphones +n03505764 a shop specializing in articles of interest to drug users +n03506028 the band that is the part of a bridle that fits around a horse's head +n03506184 the stationary support in a machine or power tool that supports and drives a revolving part (as a chuck or the spindle on a lathe) +n03506370 a place of business with equipment and facilities for exercising and improving physical fitness +n03506560 a conical acoustic device formerly used to direct sound to the ear of a hearing-impaired person +n03506727 an electronic device that amplifies sound and is worn to compensate for poor hearing +n03506880 a vehicle for carrying a coffin to a church or a cemetery; formerly drawn by horses but now usually a motor vehicle +n03507241 home symbolized as a part of the fireplace +n03507458 a rug spread out in front of a fireplace +n03507658 a pump to maintain circulation during heart surgery; diverts blood from the heart and oxygenates it and then pumps it through the body +n03507963 any engine that makes use of heat to do work +n03508101 device that heats water or supplies warmth to a room +n03508485 device that transfers heat from one liquid to another without allowing them to mix +n03508881 heater consisting of electrical heating elements contained in a flexible pad +n03509394 electric heater consisting of a high-power incandescent lamp that emits infrared radiation +n03509608 apparatus that extracts heat from a liquid that is at a higher temperature than its surroundings; can be used to transfer heat from a reservoir outside in order to heat a building +n03509843 a missile with a guidance system that directs it toward targets emitting infrared radiation (as the emissions of a jet engine) +n03510072 a protective covering that protects a spacecraft from overheating on reentry +n03510244 a metal conductor specially designed to conduct (and radiate) heat +n03510384 a large medieval helmet supported on the shoulders +n03510487 a bar used as a lever (as in twisting rope) +n03510583 a non-buoyant aircraft that requires a source of power to hold it aloft and to propel it +n03510866 an oboe pitched an octave below the ordinary oboe +n03510987 duplicator consisting of a gelatin plate from which ink can be taken to make a copy +n03511175 a fence formed by a row of closely planted shrubs or bushes +n03511333 a garden tool for trimming hedges +n03512030 a tuba that coils over the shoulder of the musician +n03512147 an aircraft without wings that obtains its lift from the rotation of overhead blades +n03512452 an apparatus for sending telegraphic messages by using a mirror to turn the sun's rays off and on +n03512624 an instrument used to measure the angular separation of two stars that are too far apart to be included in the field of view of an ordinary telescope +n03512911 steering mechanism for a vessel; a mechanical device by which a vessel is steered +n03513137 a protective headgear made of hard material to resist blows +n03513376 armor plate that protects the head +n03514129 a measuring instrument to determine (usually by centrifugation) the relative amounts of corpuscles and plasma in the blood +n03514340 a stitch used in sewing hems on skirts and dresses +n03514451 a surgical instrument that stops bleeding by clamping the blood vessel +n03514693 a stitch in which parallel threads are drawn and exposed threads are caught together in groups +n03514894 a roost for hens at night +n03515338 emblem indicating the right of a person to bear arms +n03515934 the abode of a hermit +n03516266 a twilled fabric with a herringbone pattern +n03516367 a pattern of columns of short parallel lines with all the lines in one column sloping one way and lines in adjacent columns sloping the other way; it is used in weaving, masonry, parquetry, embroidery +n03516647 a reflecting telescope with the mirror slightly tilted to throw the image to the side where it can be viewed +n03516844 (19th century) a man's high tasseled boot +n03516996 a radio receiver that combines a locally generated frequency with the carrier frequency to produce a supersonic signal that is demodulated and amplified +n03517509 a portable brazier that burns charcoal and has a grill for cooking +n03517647 an area where you can be alone +n03517760 equipment for the reproduction of sound with high fidelity +n03517899 the main altar in a church +n03517982 a cannon that can be fired at a high elevation for relatively short ranges +n03518135 a tall glass for serving highballs +n03518230 a high diving board +n03518305 a tall chest of drawers divided into two sections and supported on four legs +n03518445 a chair for feeding a very young child; has four long legs and a footrest and a detachable tray +n03518631 a forward gear with a gear ratio that gives the greatest vehicle velocity for a given engine speed +n03518829 cymbals that are operated by a foot pedal +n03518943 a fluorescent marker used to mark important passages in a text +n03519081 a cosmetic used to highlight the eyes or cheekbones +n03519226 a filter that passes frequencies above a certain value and attenuates frequencies below that value +n03519387 tower consisting of a multistoried building of offices or apartments +n03519674 a dining table in a dining-hall raised on a platform; seats are reserved for distinguished persons +n03519848 a handloom in which the warp is carried vertically; for weaving tapestry +n03520493 a headscarf worn by Muslim women; conceals the hair and neck and usually has a face veil that covers the face +n03521076 a joint that holds two parts together so that one can swing relative to the other +n03521431 the gatepost on which the gate is hung +n03521544 a very high boot; used especially for fishing +n03521675 a flask that holds spirits +n03521771 protective garment consisting of a pad worn by football and hockey players +n03521899 a pocket in rear of trousers +n03522003 a stadium for horse shows or horse races +n03522100 a roof having sloping ends as well as sloping sides +n03522634 a knot that can be undone by pulling against the strain that holds it; a temporary knot +n03522863 a connection between a vehicle and the load that it pulls +n03522990 a fixed post with a ring to which a horse can be hitched to prevent it from straying +n03523134 a fixed horizontal rail to which a horse can be hitched to prevent it from straying +n03523398 a hard steel edge tool used to cut gears +n03523506 a long skirt very narrow below the knees, worn between 1910 and 1914 +n03523987 an ice skate worn for playing hockey; has a short blade and a strong boot to protect the feet and ankles +n03524150 sports implement consisting of a stick used by hockey players to move the puck +n03524287 an open box attached to a long pole handle; bricks or mortar are carried on the shoulder +n03524425 (physics) scientific instrument that traces the path of a charged particle +n03524574 a tool with a flat blade attached at right angles to a long handle +n03524745 the handle of a hoe +n03524976 a large cask especially one holding 63 gals +n03525074 lifting device for raising heavy or cumbersome objects +n03525252 a cell in a jail or prison +n03525454 a holding device +n03525693 a jail in a courthouse where accused persons can be confined during a trial +n03525827 a device for holding something +n03526062 a pen where livestock is temporarily confined +n03527149 silverware serving dishes +n03527444 a sheath (usually leather) for carrying a handgun +n03527565 a belt with loops or slots for carrying small hand tools +n03527675 (Judaism) sanctuary comprised of the innermost chamber of the Tabernacle in the temple of Solomon where the Ark of the Covenant was kept +n03528100 an institution where people are cared for +n03528263 an appliance that does a particular job in the home +n03528523 a computer intended for use in the home +n03528901 (baseball) base consisting of a rubber slab where the batter stands; it must be touched by a base runner in order to score +n03529175 a classroom in which all students in a particular grade (or in a division of a grade) meet at certain times under the supervision of a teacher who takes attendance and does other administrative business +n03529444 a rough loosely woven fabric originally made with yarn that was spun at home +n03529629 dwelling that is usually a farmhouse and adjoining land +n03529860 television and video equipment designed to reproduce in the home the experience of being in a movie theater +n03530189 a torpedo that is guided to its target (as by the sound of a ship's engines) +n03530511 a whetstone made of fine gritstone; used for sharpening razors +n03530642 a framework of hexagonal cells resembling the honeycomb built by bees +n03530910 protective covering consisting of a metal part that covers the engine +n03531281 a headdress that protects the head and face +n03531447 the folding roof of a carriage +n03531546 metal covering leading to a vent that exhausts smoke or fumes +n03531691 (falconry) a leather covering for a hawk's head +n03531982 a catch that holds the hood of a car shut +n03532342 a curved or bent implement for suspending or pulling something +n03532672 a mechanical device that is curved or bent to suspend or hold or pull something +n03532919 a catch for locking a door +n03533014 an oriental tobacco pipe with a long flexible tube connected to a container where the smoke is cooled by passing through water +n03533392 a kind of fastener used on clothing +n03533486 a system of components assembled together for a particular purpose +n03533654 a device providing a connection between a power source and a user +n03533845 a wrench with a hook that fits over a nut or bolt head +n03534580 a skirt stiffened with hoops +n03534695 slang for a jail +n03534776 a kind of vacuum cleaner +n03535024 chest for storage of clothing (trousseau) and household goods in anticipation of marriage +n03535284 funnel-shaped receptacle; contents pass by gravity into a receptacle below +n03535647 a loosely woven coarse fabric of cotton or linen; used in clothing +n03535780 gymnastic apparatus consisting of a bar supported in a horizontal position by uprights at both ends +n03536122 the horizontal airfoil of an aircraft's tail assembly that is fixed and to which the elevator is hinged +n03536568 the horizontal stabilizer and elevator in the tail assembly of an aircraft +n03536761 an alarm device that makes a loud warning sound +n03537085 a noisemaker (as at parties or games) that makes a loud noise when you blow through it +n03537241 a device having the shape of a horn +n03537412 a button that you press to activate the horn of an automobile +n03537550 an ancient (now obsolete) single-reed woodwind; usually made of bone +n03538037 a padded gymnastic apparatus on legs +n03538179 a conveyance (railroad car or trailer) for transporting racehorses +n03538300 an early form of streetcar that was drawn by horses +n03538406 heavy cart; drawn by a horse; used for farm work +n03538542 a cloth for the trapping of a horse +n03538634 a wheeled vehicle drawn by one or more horses +n03538817 a fabric made from fibers taken from the mane or tail of horses; used for upholstery +n03538957 a wig made of horsehair +n03539103 an early term for an automobile +n03539293 a large pistol (usually in a holster) formerly carried by horsemen +n03539433 U-shaped plate nailed to underside of horse's hoof +n03539546 game equipment consisting of an open ring of iron used in playing horseshoes +n03539678 a trail for horses +n03539754 a whip for controlling horses +n03540090 man's close-fitting garment of the 16th and 17th centuries covering the legs and reaching up to the waist; worn with a doublet +n03540267 socks and stockings and tights collectively (the British include underwear) +n03540476 a lodging for travelers (especially one kept by a monastic order) +n03540595 a health facility where patients receive treatment +n03540914 a single bed with a frame in three sections so the head or middle or foot can be raised as required +n03541091 a room in a hospital for the care of patients +n03541269 a ship built to serve as a hospital; used for wounded in wartime +n03541393 a military train built to transport wounded troops to a hospital +n03541537 inexpensive supervised lodging (especially for youths on bicycling trips) +n03541696 a hotel providing overnight lodging for travelers +n03541923 balloon for travel through the air in a basket suspended below a large bag of heated air +n03542333 a building where travelers can pay for lodging and meals and other services +n03542605 a building that houses both a hotel and a casino +n03542727 a business establishment that combines a casino and a hotel +n03542860 a bedroom (usually with bath) in a hotel +n03543012 a direct telephone line between two officials +n03543112 skin-tight very short pants worn by young women as an outer garment +n03543254 a portable electric appliance for heating or cooking or keeping food warm +n03543394 a car modified to increase its speed and acceleration +n03543511 a lively entertainment spot +n03543603 a very large tub (large enough for more than one bather) filled with hot water +n03543735 a stoppered receptacle (usually made of rubber) that is to be filled with hot water and used for warming a bed or parts of the body +n03543945 textile with a pattern of small broken or jagged checks +n03544143 a sandglass that runs for sixty minutes +n03544238 the shorter hand of a clock that points to the hours +n03544360 a dwelling that serves as living quarters for one or more families +n03545150 a building in which something is sheltered or located +n03545470 a barge that is designed and equipped for use as a dwelling +n03545585 lights that illuminate the audience's part of a theater or other auditorium +n03545756 an unstable construction with playing cards +n03545961 (formerly) a jail or other place of detention for persons convicted of minor offences +n03546112 paint used to cover the exterior woodwork of a house +n03546235 the roof of a house +n03546340 structures collectively in which people are housed +n03547054 small crude shelter used as a dwelling +n03547229 a craft capable of moving over water or land on a cushion of air created by jet engines +n03547397 a (usually canopied) seat for riding on the back of a camel or elephant +n03547530 a sandal with flat heels and an upper of woven leather straps +n03547861 a system of air transportation in which local airports offer air transportation to a central airport where long-distance flights are available +n03548086 cap that fits over the hub of a wheel +n03548195 toweling consisting of coarse absorbent cotton or linen fabric +n03548320 a woman's fitted jacket +n03548402 plaything consisting of a tubular plastic hoop for swinging around the hips +n03548533 a ship that has been wrecked and abandoned +n03548626 the frame or body of ship +n03548930 a vestment worn by a priest at High Mass in the Roman Catholic Church; a silk shawl +n03549199 a high mobility, multipurpose, military vehicle with four-wheel drive +n03549350 a watch with a hinged metal lid to protect the crystal +n03549473 a large sharp knife with a handle shaped to fit the grip +n03549589 a light movable barrier that competitors must leap over in certain races +n03549732 a deck at the top of a passenger ship +n03549897 an oil lamp with a glass chimney and perforated metal lid to protect the flame from high winds; candlestick with a glass chimney +n03550153 temporary military shelter +n03550289 a cage (usually made of wood and wire mesh) for small animals +n03550420 an encampment of huts (chiefly military) +n03551084 brake system in which a brake pedal moves a piston in the master cylinder; brake fluid then applies great force to the brake pads or shoes +n03551395 press in which a force applied by a piston to a small area is transmitted through water to another piston having a large area +n03551582 a water pump that uses the kinetic energy of flowing water to force a small fraction of that water to a reservoir at a higher level +n03551790 a mechanism operated by the resistance offered or the pressure transmitted when a liquid is forced through a small opening or tube +n03552001 a transmission that depends on a hydraulic system +n03552449 turbine consisting of a large and efficient version of a water wheel used to drive an electric generator +n03552749 a speedboat that is equipped with winglike structures that lift it so that it skims the water at high speeds +n03553019 a device consisting of a flat or curved piece (as a metal plate) so that its surface reacts to the water it is passing through +n03553248 a nuclear weapon that releases atomic energy by union of light (hydrogen) nuclei at high temperatures to form helium +n03553486 a measuring instrument for determining the specific gravity of a liquid or solid +n03554375 a wet and dry bulb hygrometer +n03554460 measuring instrument for measuring the relative humidity of the atmosphere +n03554645 hygrometer that shows variations in the relative humidity of the atmosphere +n03555006 a large chamber in which the oxygen pressure is above normal for the atmosphere; used in treating breathing disorders or carbon monoxide poisoning +n03555217 a roller coaster that goes up 200 feet or higher and can catapult riders from 0 to 70 mph in 4 seconds by motors originally designed to launch rockets +n03555426 a huge supermarket (usually built on the outskirts of a town) +n03555564 a hollow needle +n03555662 a piston syringe that is fitted with a hypodermic needle for giving injections +n03555862 an altimeter that uses the boiling point of water to determine land elevation +n03555996 X ray of the uterus and Fallopian tubes; usually done in diagnosing infertility (to see if there any blockages) +n03556173 girder having a cross section resembling the letter `I' +n03556679 an ax used by mountain climbers for cutting footholds in ice +n03556811 a sailing vessel with runners and a cross-shaped frame; suitable for traveling over ice +n03556992 a ship with a reinforced bow to break up ice and keep channels open for navigation +n03557270 a teaspoon with a long handle +n03557360 an ice rink for playing ice hockey +n03557590 an electric refrigerator to supply ice cubes +n03557692 an appliance included in some electric refrigerators for making ice cubes +n03557840 a waterproof bag filled with ice: applied to the body (especially the head) to cool or reduce swelling +n03558007 pick consisting of a steel rod with a sharp point; used for breaking up blocks of ice +n03558176 a rink with a floor of ice for ice hockey or ice skating +n03558404 skate consisting of a boot with a steel blade fitted to the sole +n03558633 tongs for lifting blocks of ice +n03558739 a tray for making cubes of ice in a refrigerator +n03559373 the first practical television-camera for picture pickup; invented in 1923 by Vladimir Kosma Zworykin +n03559531 a likeness of a person's face constructed from descriptions given to police; uses a set of transparencies of various facial features that can be combined to build up a picture of the person sought +n03559999 a pulley on a shaft that presses against a guide belt to guide or tighten it +n03560430 an Eskimo hut; usually built of blocks (of sod or snow) in the shape of a dome +n03560860 an induction coil that converts current from a battery into the high-voltage current required by spark plugs +n03561047 a key that operates the ignition switch of an automotive engine +n03561169 switch that operates a solenoid that closes a circuit to operate the starter +n03561573 a hostel for pilgrims in Turkey +n03562565 a bandage of cloth impregnated with a substance (e.g., plaster of Paris) that hardens soon after it is applied +n03563200 a printer that prints by mechanical impacts +n03563460 the blade of a rotor (as in the compressor of a jet engine) +n03563710 a prosthesis placed permanently in tissue +n03563967 instrumentation (a piece of equipment or tool) used to effect an end +n03564849 (dentistry) an imprint of the teeth and gums in wax or plaster +n03565288 a device produced by pressure on a surface +n03565565 an explosive device that is improvised +n03565710 a turbine that is driven by jets direct against the blades +n03565830 a wood or metal receptacle placed on your desk to hold your incoming material +n03565991 a bomb that is designed to start fires; is most effective against flammable targets (such as fuel) +n03566193 a furnace for incinerating (especially to dispose of refuse) +n03566329 a simple machine for elevating objects; consists of plane surface that makes an acute angle with the horizontal +n03566555 a measuring instrument for measuring the angle of magnetic dip (as from an airplane) +n03566730 an instrument showing the angle that an aircraft makes with the horizon +n03566860 a decorative coating of contrasting material that is applied to a surface as an inlay or overlay +n03567066 apparatus consisting of a box designed to maintain a constant temperature by the use of a thermostat; used for chicks or premature infants +n03567635 (computer science) a register used to determine the address of an operand +n03567788 a large sailing ship that was engaged in the British trade with India +n03567912 a bottle-shaped club used in exercises +n03568117 a device for showing the operating condition of some system +n03568818 a coil for producing a high voltage from a low-voltage source +n03569014 an electrical device (typically a conducting coil) that introduces inductance into a circuit +n03569174 a canal that is operated by one or more industries +n03569293 a system to control a plane or spacecraft; uses inertial forces +n03569494 an air pump operated by hand to inflate something (as a tire) +n03571280 a dispenser that produces a chemical vapor to be inhaled in order to relieve nasal congestion +n03571439 a contrivance for injecting (e.g., water into the boiler of a steam engine or particles into an accelerator etc.) +n03571625 a bottle of ink +n03571853 an eraser that removes ink marks +n03571942 a printer that produces characters by projecting electrically charged droplets of ink +n03572107 a linen tape used for trimming as a decoration +n03572205 a tray or stand for writing implements and containers for ink +n03572321 a small well holding writing ink into which a pen can be dipped +n03572631 (dentistry) a filling consisting of a solid substance (as gold or porcelain) fitted to a cavity in a tooth and cemented into place +n03573574 caliper for measuring inside dimensions (the size of a cavity or hole); points on its legs curve outward +n03573848 the inner sole of a shoe or boot where the foot rests +n03574243 the part of a shoe or stocking that covers the arch of the foot +n03574416 medical apparatus that puts a liquid into a cavity drop by drop +n03574555 an establishment consisting of a building or complex of buildings where an organization for the promotion of some cause is situated +n03574816 a device that requires skill for proper use +n03575958 an instrument designed and used to punish a condemned person +n03576215 an instrument of punishment designed and used to inflict torture on the condemned person +n03576443 glyptic art consisting of a sunken or depressed engraving or carving on a stone or gem (as opposed to cameo) +n03576955 a valve that controls the flow of fluid through an intake +n03577090 a microelectronic computer circuit incorporated into a chip or semiconductor; a whole system rather than a single component +n03577312 a measuring instrument for measuring the area of an irregular plane figure +n03577474 a computer network similar to but separate from the internet; devoted to the dissemination of information to and for the Intelligence Community +n03577672 a fast maneuverable fighter plane designed to intercept enemy aircraft +n03577818 a junction of highways on different levels that permits traffic to move from one to another without crossing traffic streams +n03578055 a communication system linking different rooms within a building or ship etc +n03578251 a ballistic missile that is capable of traveling from one continent to another +n03578656 (computer science) computer circuit consisting of the hardware and associated circuitry that links one device with another (especially a computer and a hard disk drive or other peripherals) +n03578981 any measuring instrument that uses interference patterns to make accurate measurements of waves +n03579538 a door that closes off rooms within a building +n03579982 a heat engine in which combustion occurs inside the engine rather than in a separate furnace; heat expands a gas that either moves a piston or turns a gas turbine +n03580518 a drive mounted inside of a computer +n03580615 a computer network consisting of a worldwide network of computer networks that use the TCP/IP network protocols to facilitate data transmission and exchange +n03580845 a telephonic intercommunication system linking different rooms in a building or ship etc +n03580990 a device for automatically interrupting an electric current +n03581125 a junction where one street or road crosses another +n03581531 small opening between things +n03581897 an artificial lens that is implanted into the eye of someone to replace a damaged natural lens or someone who has had a cataract removed +n03582508 X-ray picture of the kidneys and ureters after injection of a radiopaque dye +n03582959 an electrical converter that converts direct current into alternating current +n03583419 a type of reaction-propulsion engine to propel rockets in space; a stream of positive ions is accelerated to a high velocity by an electric field +n03583621 a measuring instrument that measures the amount of ionizing radiation +n03584254 (trademark) a pocket-sized device used to play music files +n03584400 (trademark) an iPod that can also play video files +n03584829 home appliance consisting of a flat metal base that is heated and used to smooth cloth +n03585073 a golf club that has a relatively narrow metal head +n03585337 implement used to brand live stock +n03585438 metal shackles; for hands or legs +n03585551 a wooden warship of the 19th century that is plated with iron or steel armor +n03585682 a foundry where cast iron is produced +n03585778 (c. 1840) an early term for a locomotive +n03585875 garments (clothes or linens) that are to be (or have been) ironed +n03586219 respirator that produces alternations in air pressure in a chamber surrounding a patient's chest to force air into and out of the lungs thus providing artificial respiration +n03586631 the merchandise that is sold in an ironmonger's shop +n03586911 the workplace where iron is smelted or where iron goods are made +n03587205 a ditch to supply dry land with water artificially +n03588216 a voluminous cotton outer garment (usually white) traditionally worn by Muslim women of northern Africa and the Middle East; covers the entire body +n03588841 a ruffle on the front of a woman's blouse or a man's shirt +n03588951 tool for exerting pressure or lifting +n03589313 game equipment consisting of one of several small six-pointed metal pieces that are picked up while bouncing a ball in the game of jacks +n03589513 an electrical device consisting of a connector socket designed for the insertion of a plug +n03589672 a small ball at which players aim in lawn bowling +n03589791 a short coat +n03590306 an outer wrapping or casing +n03590475 the tough metal shell casing for certain kinds of ammunition +n03590588 plaything consisting of a toy clown that jumps out of a box when the lid is opened +n03590841 lantern carved from a pumpkin +n03590932 a carpenter's plane for rough finishing +n03591116 (nautical) a hanging ladder of ropes or chains supporting wooden or metal rungs or steps +n03591313 a lightweight cotton cloth with a smooth and slightly stiff finish; used for clothing and bandages +n03591592 a loom with an attachment for forming openings for the passage of the shuttle between the warp threads; used in weaving figured fabrics +n03591798 a highly figured fabric woven on a Jacquard loom +n03591901 a flap along the edge of a garment; used in medieval clothing +n03592245 a correctional institution used to detain persons who are in the lawful custody of the government (either accused persons awaiting trial or convicted persons serving a sentence) +n03592669 a shutter made of angled slats +n03592773 upright consisting of a vertical side member of a door or window frame +n03592931 a transmitter used to broadcast electronic jamming +n03593122 a jar for holding jellies or preserves +n03593222 lacquer with a durable glossy black finish, originally from the orient +n03593526 a vessel (usually cylindrical) with a wide mouth and without handles +n03593862 a kind of artificial heart that has been used with some success +n03594010 an open two-wheeled one-horse cart formerly widely used in Ireland +n03594148 a spear thrown as a weapon or in competitive field events +n03594277 holding device consisting of one or both of the opposing parts of a tool that close to hold an object +n03594523 hydraulic tool inserted into a wrecked vehicle and used to pry the wreckage apart in order to provide access to people trapped inside +n03594734 (usually plural) close-fitting trousers of heavy denim for manual work or casual wear +n03594945 a car suitable for traveling over rough terrain +n03595055 a loose cloak with a hood; worn in the Middle East and northern Africa +n03595264 a tight sleeveless and collarless jacket (often made of leather) worn by men in former times +n03595409 a large wine bottle (holds 4/5 of a gallon) +n03595523 a slightly elastic machine-knit fabric +n03595614 a close-fitting pullover shirt +n03595860 an airplane powered by one or more jet engines +n03596099 an extendible bridge for loading passengers onto large commercial airplanes; provides protected access to the plane from the gate +n03596285 a gas turbine produces a stream of hot gas that propels a jet plane by reaction propulsion +n03596543 a large jet plane that carries passengers +n03597147 an optical instrument used by jewelers; has one or more lenses and is used to view features not readily seen +n03597317 a headdress adorned with jewels +n03597916 a small lyre-shaped musical instrument that is placed between the teeth and played by twanging a wire tongue while changing the shape of the mouth cavity +n03598151 any triangular fore-and-aft sail (set forward of the foremast) +n03598299 a spar that extends the bowsprit +n03598385 a device that holds a piece of machine work and guides the tools operating on it +n03598515 a fisherman's lure with one or more hooks that is jerked up and down in the water +n03598646 any small mast on a sailing vessel; especially the mizzenmast of a yawl +n03598783 fine-toothed power saw with a narrow blade; used to cut curved outlines +n03598930 a puzzle that requires you to reassemble a picture that has been mounted on a stiff base and cut into interlocking pieces +n03599486 a small two-wheeled cart for one passenger; pulled by one person +n03599964 a government office in a town where information about available jobs is displayed and where unemployment benefits are administered +n03600285 flared trousers ending at the calves; worn with riding boots +n03600475 a short riding boot that fastens with a buckle at the side +n03600722 fine woodwork done by a joiner +n03600977 junction by which parts or objects are joined together +n03601442 a pinpoint bomb guidance device that can be strapped to a gravity bomb thus converting dumb bombs into smart bombs +n03601638 a long carpenter's plane used to shape the edges of boards so they will fit together +n03601840 beam used to support floors or roofs +n03602081 a yawl used by a ship's sailors for general work +n03602194 a large drinking bowl +n03602365 a Chinese temple or shrine for idol worship +n03602686 the bearing of a journal +n03602790 metal housing for a journal bearing +n03602883 a manual control consisting of a vertical handle that can move freely in two directions; used as an input device to computers or to devices controlled by computers +n03603442 a structure of vertical and horizontal rods where children can climb and play +n03603594 any of various Chinese boats with a high poop and lugsails +n03603722 a large bottle with a narrow mouth +n03604156 a cabinet containing an automatic record player; records are played by inserting a coin +n03604311 a very large jet plane +n03604400 a sleeveless dress resembling an apron; worn over other clothing +n03604536 a loose jacket or blouse worn by workmen +n03604629 a small connector used to make temporary electrical connections +n03604763 a coverall worn by children +n03604843 a jumper that consists of a short piece of wire +n03605417 a folding seat in an automobile +n03605504 one-piece uniform worn by parachutists +n03605598 one-piece garment fashioned after a parachutist's uniform +n03605722 the place where two or more things come together +n03605915 something that joins or connects +n03606106 a junction unit for connecting 2 cables without the need for plugs +n03606251 a shop that sells cheap secondhand goods +n03606347 an enclosure within a courtroom for the jury +n03606465 a temporary mast to replace one that has broken off +n03607029 a carved doll wearing the costume of a particular Pueblo spirit; usually presented to a child as a gift +n03607186 an Arab headdress consisting of a square piece of cloth folded into a triangle and fastened over the crown by an agal +n03607527 a cap that is wrapped around by a turban and worn by Muslim religious elders +n03607659 a type of submachine gun made in Russia +n03607923 a long tunic worn by many people from the Indian subcontinent (usually with a salwar or churidars) +n03608504 (Swahili) a long garment (usually white) with long sleeves; worn by men in East Africa +n03609147 measures thermal conductivity +n03609235 a small canoe consisting of a light frame made watertight with animal skins; used by Eskimos +n03609397 a toy wind instrument that has a membrane that makes a sound when you hum into the mouthpiece +n03609542 one of the main longitudinal beams (or plates) of the hull of a vessel; can extend vertically into the water to provide lateral stability +n03609786 river boat with a shallow draught and a keel but no sails; used to carry freight; moved by rowing or punting or towing +n03609959 a longitudinal beam connected to the keel of ship to strengthen it +n03610098 the main tower within the walls of a medieval castle or fortress +n03610418 small cask or barrel +n03610524 outbuilding that serves as a shelter for a dog +n03610682 a cap with a flat circular top and a visor +n03610836 medical instrument to examine the cornea in order to detect irregularities in its anterior surface +n03610992 a square scarf that is folded into a triangle and worn over the head or about the neck +n03612010 a sailing vessel with two masts; the mizzen is forward of the rudderpost +n03612814 a metal pot for stewing or boiling; usually has a lid +n03612965 a large hemispherical brass or copper percussion instrument with a drumhead that can be tuned by adjusting the tension on it +n03613294 metal device shaped in such a way that when it is inserted into the appropriate lock the lock's mechanism can be rotated +n03613592 a lever (as in a keyboard) that actuates a mechanism when depressed +n03614007 device consisting of a set of keys on a piano or organ or typewriter or typesetting machine or computer or the like +n03614383 a buffer that keeps track of key strokes until the computer is ready to respond to them +n03614532 a musical instrument that is played by means of a keyboard +n03614782 the hole where a key is inserted +n03614887 a handsaw with a long narrow blade for cutting short radius curves; similar to a compass saw +n03615300 a coarse homespun cotton cloth made in India +n03615406 a sturdy twilled cloth of a yellowish brown color used especially for military uniforms +n03615563 a military uniform made of khaki fabric +n03615655 a headscarf worn by observant Muslim women that hangs down to just above the waist +n03615790 a curved steel knife with a razor-sharp edge used in combat by the Gurkhas; has cultural and religious significance in Nepal +n03616091 pleat in back of a straight skirt to allow ease in walking +n03616225 scientific instrument consisting of an electronic circuit that permits only voltage pulses of predetermined height to pass +n03616428 a swiveling metal rod attached to a bicycle or motorcycle or other two-wheeled vehicle; the rod lies horizontally when not in use but can be kicked into a vertical position as a support to hold the vehicle upright when it is not being ridden +n03616763 a starter (as on a motorcycle) that is activated with the foot and the weight of the body +n03616979 a glove made of fine soft leather (as kidskin) +n03617095 a furnace for firing or burning or drying such things as porcelain or bricks +n03617312 a knee-length pleated tartan skirt worn by men as part of the traditional dress in the Highlands of northern Scotland +n03617480 a loose robe; imitated from robes originally worn by Japanese +n03617594 a cathode-ray tube in a television receiver; translates the received signal into a picture on a luminescent screen +n03617834 a device invented by Edison that gave an impression of movement as an endless loop of film moved continuously over a light source with a rapid shutter; precursor of the modern motion picture +n03618101 (chess) the weakest but the most important piece +n03618339 a checker that has been moved to the opponent's first row where it is promoted to a piece that is free to move either forward or backward +n03618546 bolt that provides a steering joint in a motor vehicle +n03618678 post connecting the crossbeam to the apex of a triangular truss +n03618797 a laboratory apparatus for producing a gas (usually hydrogen sulfide) by the action of a liquid on a solid without heating +n03618982 a Scottish church +n03619050 a ceremonial four-inch curved dagger that Sikh men and women are obliged to wear at all times +n03619196 a long dress worn by women +n03619275 a garment resembling a tunic that was worn by men in the Middle Ages +n03619396 gear consisting of a set of articles or tools for a specified purpose +n03619650 a case for containing a set of articles +n03619793 a knapsack (usually for a soldier) +n03619890 a room equipped for preparing meals +n03620052 a home appliance used in preparing food +n03620353 small kitchen +n03620967 a table in the kitchen +n03621049 a utensil used in preparing food +n03621377 hardware utensils for use in a kitchen +n03621694 a barrage balloon with lobes at one end that keep it headed into the wind +n03622058 a kind of loud horn formerly used on motor vehicles +n03622401 carbon arc lamp that emits an intense light used in producing films +n03622526 an electron tube used to generate or amplify electromagnetic radiation in the microwave region by velocity modulation +n03622839 a brace worn to strengthen the knee +n03622931 a sock or stocking that reaches up to just below the knees +n03623198 protective garment consisting of a pad worn by football or baseball or hockey players +n03623338 armor plate that protects the knee +n03623556 edge tool used as a cutting instrument; has a pointed blade with a sharp edge and a handle +n03624134 a weapon with a handle and blade with a sharp point +n03624400 the blade of a knife +n03624767 a chessman shaped to resemble the head of a horse; can move two squares horizontally and one vertically (or vice versa) +n03625355 a fabric made by knitting +n03625539 a textile machine that makes knitted fabrics +n03625646 needle consisting of a slender rod with pointed ends; usually used in pairs +n03625943 knitted clothing +n03626115 a circular rounded projection or protuberance +n03626272 an ornament in the shape of a ball on the hilt of a sword or dagger +n03626418 a small knob +n03626502 a short wooden club with a heavy knob on one end; used by aborigines in southern Africa +n03626760 a device (usually metal and ornamental) attached by a hinge to a door +n03627232 any of various fastenings formed by looping and tying a rope (or cord) upon itself or to another rope or to another object +n03627954 a joint allowing movement in one plane only +n03628071 a cosmetic preparation used by women in Egypt and Arabia to darken the edges of their eyelids +n03628215 Japanese stringed instrument that resembles a zither; has a rectangular wooden sounding board and usually 13 silk strings that are plucked with the fingers +n03628421 a pen for livestock in southern Africa +n03628511 citadel of a Russian town +n03628728 a Malayan dagger with a wavy blade +n03628831 a Renaissance woodwind with a double reed and a curving tube (crooked horn) +n03628984 a measuring instrument used to measure the speed of sound +n03629100 an oriental rug woven by Kurds that is noted for fine colors and durability +n03629231 a loose collarless shirt worn by many people on the Indian subcontinent (usually with a salwar or churidars or pyjama) +n03629520 a shallow drinking cup with two handles; used in ancient Greece +n03629643 scientific instrument consisting of a rotating drum holding paper on which a stylus traces a continuous record (as of breathing or blood pressure) +n03630262 a workbench in a laboratory +n03630383 a light coat worn to protect clothing from substances used while working in a laboratory +n03631177 a delicate decorative fabric woven in an open web of symmetrical patterns +n03631811 a hard glossy coating +n03631922 a decorative work made of wood and covered with lacquer and often inlaid with ivory or precious metals +n03632100 ball used in playing lacrosse +n03632577 the backrest of a chair that consists of two uprights with connecting slats +n03632729 a chair with a ladder-back +n03632852 a fire engine carrying ladders +n03632963 a woman's restroom in a public (or semipublic) building +n03633091 a spoon-shaped vessel with a long handle; frequently used to transfer liquids from one container to another +n03633341 a small chapel in a church; dedicated to the Virgin Mary +n03633632 an Australian percussion instrument used for playing bush music; a long stick with bottle caps nailed loosely to it; played by hitting it with a stick or banging it on the ground +n03633886 a heavy woodscrew with a square or hexagonal head that is driven in with a wrench +n03634034 dwelling built on piles in or near a lake; specifically in prehistoric villages +n03634899 support column consisting of a steel cylinder filled with concrete +n03635032 a monastery for lamas +n03635108 short and decorative hanging for a shelf edge or top of a window casing +n03635330 a fabric interwoven with threads of metal +n03635516 a clean room free of all extraneous particles; used in fabricating microprocessors +n03635668 a sheet of material made by bonding two or more sheets or layers +n03635932 a layered structure +n03636248 an artificial source of visible illumination +n03636649 a piece of furniture holding one or more electric light bulbs +n03637027 housing that holds a lamp (as in a movie projector) +n03637181 a metal post supporting an outdoor lamp (such as a streetlight) +n03637318 a protective ornamental shade used to screen a light bulb from direct view +n03637480 a veranda or roofed patio often furnished and used as a living room +n03637787 an acutely pointed Gothic arch, like a lance +n03637898 a narrow window having a lancet arch and without tracery +n03638014 a four-wheel covered carriage with a roof divided into two parts (front and back) that can be let down separately +n03638180 a space vehicle that is designed to land on the moon or another planet +n03638623 naval craft designed for putting ashore troops and equipment +n03638743 a flap on the underside of the wing that is lowered to slow the plane for landing +n03638883 an undercarriage that supports the weight of the plane when it is on the ground +n03639077 a bag-shaped fishnet on a long handle to take a captured fish from the water +n03639230 one of two parts of the landing gear of a helicopter +n03639497 a telephone line that travels over terrestrial circuits +n03639675 an explosive mine hidden underground; explodes when stepped on or driven over +n03639880 a government office where business relating to public lands is transacted +n03640850 an emollient containing wool fat (a fatty substance obtained from the wool of sheep) +n03640988 light in a transparent protective case +n03641569 a cord with an attached hook that is used to fire certain types of cannon +n03641947 the part of a piece of clothing that covers the thighs +n03642144 a slender endoscope inserted through an incision in the abdominal wall in order to examine the abdominal organs or to perform minor surgery +n03642341 writing board used on the lap as a table or desk +n03642444 lap at the front of a coat; continuation of the coat collar +n03642573 joint made by overlapping two ends and joining them together +n03642806 a portable computer small enough to use in your lap +n03643149 a medical instrument for examining the larynx +n03643253 an acronym for light amplification by stimulated emission of radiation; an optical device that produces an intense monochromatic beam of coherent light +n03643491 a smart bomb that seeks the laser light reflected off of the target and uses it to correct its descent +n03643737 electrostatic printer that focuses a laser beam to form images that are transferred to paper electrostatically +n03643907 leather strip that forms the flexible part of a whip +n03644073 rope that is used for fastening something to something else +n03644378 a long noosed rope used to catch animals +n03644858 catch for fastening a door or gate; a bar that can be lowered or slid into a groove +n03645011 spring-loaded doorlock that can only be opened from the outside with a key +n03645168 a leather strap or thong used to attach a sandal or shoe to the foot +n03645290 key for raising or drawing back a latch or opening an outside door +n03645577 a triangular fore-and-aft sail used especially in the Mediterranean +n03646020 a water-base paint that has a latex binder +n03646148 a narrow thin strip of wood used as backing for plaster or to make latticework +n03646296 machine tool for shaping metal or wood; the workpiece turns about a horizontal axis against a fixed tool +n03646809 a public toilet in a military area +n03646916 framework consisting of an ornamental design made of strips of wood or metal +n03647423 a motorboat with an open deck or a half deck +n03647520 armament in the form of a device capable of launching a rocket +n03648219 garments or white goods that can be cleaned by laundering +n03648431 handcart for moving a load of laundry +n03648667 van that picks up and delivers laundry +n03649003 a skirt consisting of a rectangle of calico or printed cotton; worn by Polynesians (especially Samoans) +n03649161 jeweled pendant worn on a chain around the neck +n03649288 (Old Testament) large basin used by a priest in an ancient Jewish temple to perform ritual ablutions +n03649674 chair left outside for use on a lawn or in a garden +n03649797 furniture intended for use on a lawn or in a garden +n03649909 garden tool for mowing grass on lawns +n03650551 kit consisting of a complete outfit (clothing and accessories) for a new baby +n03651388 a battery with lead electrodes with dilute sulphuric acid as the electrolyte; each cell generates about 2 volts +n03651605 wire connecting an antenna to a receiver or a transmitter to a transmission line +n03651843 rein to direct the horse's head left or right +n03652100 pencil that has graphite as the marking substance +n03652389 long narrow spring consisting of several layers of metal springs bracketed together +n03652729 rough shelter whose roof has only one slope +n03652826 tent that is attached to the side of a building +n03652932 restraint consisting of a rope (or light chain) used to restrain an animal +n03653110 fabric made to look like leather +n03653220 implement consisting of a strip of leather +n03653454 voltaic cell that produces approximately 1.5 volts +n03653583 desk or stand with a slanted top used to hold a text at the proper height for a lecturer +n03653740 classroom where lectures are given +n03653833 leather shorts often worn with suspenders; worn especially by men and boys in Bavaria +n03653975 top rail of a fence or balustrade +n03654576 a cloth covering consisting of the part of a pair of trousers that covers a person's leg +n03654826 one of the supports for a piece of furniture +n03655072 a garment covering the leg (usually extending from the knee to the ankle) +n03655470 an electrostatic capacitor of historical interest +n03655720 informal clothing designed to be worn when you are relaxing +n03656484 a transparent optical device used to converge or diverge transmitted light and to form images +n03656957 electronic equipment that uses a magnetic or electric field in order to focus a beam of electrons +n03657121 cap used to keep lens free of dust when not in use +n03657239 a clear plastic lens that is implanted in the eye; usually done when the natural lens has been removed in a cataract operation +n03657511 a tight-fitting garment of stretchy material that covers the body from the shoulders to the thighs (and may have long sleeves or legs reaching down to the ankles); worn by ballet dancers and acrobats for practice or performance +n03658102 case for carrying letters +n03658185 dull knife used to cut open the envelopes in which letters are mailed or to slit uncut pages of books +n03658635 an embankment that is built in order to prevent a river from overflowing +n03658858 indicator that establishes the horizontal when a bubble is centered in a tube of liquid +n03659292 a rigid bar pivoted about a fulcrum +n03659686 a flat metal tumbler in a lever lock +n03659809 a simple machine that gives a mechanical advantage when given a fulcrum +n03659950 a lock whose tumblers are levers that must be raised to a given position so that the bolt can move +n03660124 a popular brand of jeans +n03660562 a slow cargo ship built during World War II +n03660909 a room where books are kept +n03661043 a building that houses a collection of books and other materials +n03661340 a movable top or cover (hinged or separate) for closing the opening at the top of a box, chest, jar, pan, etc. +n03662301 a condenser: during distillation the vapor passes through a tube that is cooled by water +n03662452 a polygraph that records bodily changes sometimes associated with lying +n03662601 a strong sea boat designed to rescue people from a sinking ship +n03662719 a life preserver in the form of a ring of buoyant material +n03662887 life preserver consisting of a sleeveless jacket of buoyant or inflatable design +n03663433 life assurance office +n03663531 rescue equipment consisting of a buoyant belt or jacket to keep a person from drowning +n03663910 medical equipment that assists or replaces important bodily functions and so enables a patient to live who otherwise might not survive +n03664159 equipment that makes life possible in otherwise deadly environmental conditions +n03664675 a device for lifting heavy loads +n03664840 pump used to lift rather than force a liquid up +n03664943 any connection or unifying bond +n03665232 a metal band used to attach a reed to the mouthpiece of a clarinet or saxophone +n03665366 any device serving as a source of illumination +n03665851 a rifle or pistol +n03665924 electric lamp consisting of a transparent or translucent glass housing containing a wire filament (usually tungsten) that emits light when heated by electricity +n03666238 wiring that provides power to electric lights +n03666362 diode such that light emitted at a p-n junction is proportional to the bias current; color depends on the material used +n03666591 a device for lighting or igniting fuel or charges or fires +n03666917 aircraft supported by its own buoyancy +n03667060 a transparent filter that reduces the light (or some wavelengths of the light) passing through it +n03667235 apparatus for supplying artificial light effects for the stage or a film +n03667552 a submachine gun not greater than .30 millimeter +n03667664 photographic equipment that measures the intensity of light +n03667829 microscope consisting of an optical instrument that magnifies the image of an object +n03668067 a metallic conductor that is attached to a high point and leads to the ground; protects the building from destruction by lightning +n03668279 (computer science) a pointer that when pointed at a computer display senses whether or not the spot is illuminated +n03668488 a ship equipped like a lighthouse and anchored where a permanent lighthouse would be impracticable +n03668803 a type of inflatable air mattress +n03669245 a two-wheeled horse-drawn vehicle used to pull a field gun or caisson +n03669534 a kiln used to reduce naturally occurring forms of calcium carbonate to lime +n03669886 (electronics) a nonlinear electronic circuit whose output is limited in amplitude; used to limit the instantaneous amplitude of a waveform (to clip off the peaks of a waveform) +n03670208 large luxurious car; usually driven by a chauffeur +n03671914 ions are accelerated along a linear path by voltage differences on electrodes along the path +n03672521 a fabric woven with fibers from the flax plant +n03672827 printer that serves as an output device on a computer; prints a whole line of characters at a time +n03673027 a large commercial ship (especially one that carries passengers on a regular schedule) +n03673270 a piece of cloth that is used as the inside surface of a garment +n03673450 women's underwear and nightclothes +n03673767 a protective covering that protects an inside surface +n03674270 an interconnecting circuit between two or more locations for the purpose of transmitting and receiving data +n03674440 a mechanical system of rods or springs or pivots that transmits power or motion +n03674731 an early form of flight simulator +n03674842 a design carved in relief into a block of linoleum +n03675076 a knife having a short stiff blade with a curved point used for cutting linoleum +n03675235 a typesetting machine operated from a keyboard that casts an entire line as a single slug of metal +n03675445 a rough fabric of linen warp and wool or cotton woof +n03675558 a stick about a meter long with a point on one end (to stick in the ground) and a forked head on the other end (to hold a lighted match); formerly used to fire cannons +n03675907 a type of forceps +n03676087 makeup that makes the lips shiny +n03676483 makeup that is used to color the lips +n03676623 a small glass for serving a small amount of liqueur (typically after dinner) +n03676759 a digital display that uses liquid crystal cells that change reflectivity in an applied electric field; used for portable computer displays and watches etc. +n03677115 a nuclear reactor using liquid metal as a coolant +n03677682 a fabric woven with lisle thread +n03677766 moldboard plow with a double moldboard designed to move dirt to either side of a central furrow +n03678558 bin (usually in or outside a public building) into which the public can put rubbish +n03678729 a small theater for experimental drama or collegiate or community groups +n03678879 the axle of a self-propelled vehicle that provides the driving power +n03679384 housing available for people to live in +n03679712 a room in a private house or establishment where people can sit and talk and relax +n03680248 electrical device to which electrical power is delivered +n03680355 a low leather step-in shoe; the top resembles a moccasin but it has a broad flat heel +n03680512 a car that is lent as a replacement for one that is under repair +n03680734 a rounded projection that is part of a larger structure +n03680858 trap for catching lobsters +n03680942 public transport consisting of a bus or train that stops at all stations or stops +n03681477 a local computer network for communication between computers; especially a network connecting computers and word processors and other electronic office equipment to create a communication system between offices +n03681813 an oscillator whose output heterodynes with the incoming radio signal to produce sum and difference tones +n03682380 a battle-ax formerly used by Scottish Highlanders +n03682487 a fastener fitted to a door or drawer to keep it firmly closed +n03682877 a restraint incorporated into the ignition switch to prevent the use of a vehicle by persons who do not have the key +n03683079 enclosure consisting of a section of canal that can be closed to control the water level; used to raise or lower vessels that pass through it +n03683341 a mechanism that detonates the charge of a gun +n03683457 a system of locks in a canal or waterway +n03683606 a fastener that locks or closes +n03683708 a room (as at an athletic facility or workplace) where you can change clothes and which contains lockers for the temporary storage of your clothing and personal possessions +n03683995 a small ornamental case; usually contains a picture or a lock of hair and is worn on a necklace +n03684143 a gate that can be locked +n03684224 pliers that can be locked in place +n03684489 washer that prevents a nut from loosening +n03684611 machine stitch in which the top thread interlocks with the bobbin thread +n03684740 jail in a local police station +n03684823 a wheeled vehicle consisting of a self-propelled engine that is used to draw trains along railway tracks +n03685307 any of various Native American dwellings +n03685486 a small (rustic) house used as a temporary shelter +n03685640 small house at the entrance to the grounds of a country mansion; usually occupied by a gatekeeper or gardener +n03685820 a house where rooms are rented +n03686130 floor consisting of open space at the top of a house just below roof; often used for storage +n03686363 a raised shelter in which pigeons are kept +n03686470 floor consisting of a large unpartitioned space over a factory or warehouse or other commercial space +n03686924 a cabin built with logs +n03687137 a roofed arcade or gallery with open sides stretching along the front or side of a building; often at an upper level +n03687928 a powerful wooden bow drawn by hand; usually 5-6 feet long; used in medieval England +n03688066 an iron with a long shaft and a steep face; for hitting long low shots +n03688192 warm underwear with long legs +n03688405 a sleeve extending from shoulder to wrist +n03688504 a long swivel cannon formerly used by the navy +n03688605 trousers reaching to the foot +n03688707 an undergarment with shirt and drawers in one piece +n03688832 a mirror; usually a ladies' dressing mirror +n03688943 a structure commanding a wide view of its surroundings +n03689157 a textile machine for weaving yarn into a textile +n03689570 any of various knots used to make a fixed loop in a rope +n03690168 eyeglasses that are held to the eyes with a long handle +n03690279 a cross with two crossbars, one above and one below the midpoint of the vertical, the lower longer than the upper +n03690473 a large truck designed to carry heavy loads; usually without sides +n03690851 a globular water bottle used in Asia +n03690938 any of various cosmetic preparations that are applied to the skin +n03691459 electro-acoustic transducer that converts electrical signals into sounds loud enough to be heard at a distance +n03691817 a room (as in a hotel or airport) with seating where people can wait +n03692004 an article of clothing designed for comfort and leisure wear +n03692136 a man's soft jacket usually with a tie belt; worn at home +n03692272 pajamas worn while lounging +n03692379 clothing suitable for relaxation +n03692522 small magnifying glass (usually set in an eyepiece) used by jewelers and horologists +n03692842 a window with glass louvers +n03693293 a stylized or decorative knot used as an emblem of love +n03693474 small sofa that seats two people +n03693707 a large drinking vessel (usually with two handles) that people drink out of in turn at a banquet +n03693860 a low chest or table with drawers and supported on four legs +n03694196 a filter that passes frequencies below a certain value and attenuates frequencies above that value +n03694356 a handloom in which the warp is carried horizontally; for weaving tapestry +n03694639 a long-playing phonograph record; designed to be played at 33.3 rpm +n03694761 a square plate bearing the letter L that is attached to both ends of a car to indicate that the driver is a learner +n03694949 hole in a platform on a mast through which a sailor can climb without going out on the shrouds +n03695122 mechanical system of lubricating internal combustion engines in which a pump forces oil into the engine bearings +n03695452 (nautical) the forward edge of a fore-and-aft sail that is next to the mast +n03695616 a projecting piece that is used to lift or support or turn something +n03695753 a racing sled for one or two people +n03695857 a German semiautomatic pistol +n03695957 carrier (as behind a bicycle seat) for luggage +n03696065 compartment in an automobile that carries luggage or shopping or tools +n03696301 carrier for holding luggage above the seats of a train or on top of a car +n03696445 small fishing boat rigged with one or more lugsails +n03696568 a sail with four corners that is hoisted from a yard that is oblique to the mast +n03696746 a wrench with jaws that have projecting lugs to engage the object that is to be rotated +n03696909 a short warm outer jacket +n03697007 a mill for dressing logs and lumber +n03697366 a spacecraft that carries astronauts from the command module to the surface of the moon and back +n03697552 a restaurant (in a facility) where lunch can be purchased +n03697812 temporary fortification like a detached bastion +n03697913 a long piece of brightly colored cloth (cotton or silk) used as clothing (a skirt or loincloth or sash etc.) in India and Pakistan and Burma +n03698123 a crescent-shaped metal ornament of the Bronze Age +n03698226 pottery with a metallic sheen produced by adding metallic oxides to the glaze +n03698360 chordophone consisting of a plucked instrument having a pear-shaped body, a usually bent neck, and a fretted fingerboard +n03698604 a liner equipped for sumptuous living +n03698723 a public hall for lectures and concerts +n03698815 a roofed gate to a churchyard, formerly used as a temporary shelter for the bier during funerals +n03699280 a harp used by ancient Greeks for accompaniment +n03699591 a large heavy knife used in Central and South America as a weapon or for cutting vegetation +n03699754 a projecting parapet supported by corbels on a medieval castle; has openings through which stones or boiling water could be dropped on an enemy +n03699975 any mechanical or electrical device that transmits or modifies energy to perform or assist in the performance of human tasks +n03700963 a device for overcoming resistance at one point by applying force at some other point +n03701191 a bolt with a square or hexagonal head on one end and a threaded shaft on the other end; tightened with a wrench; used to connect metal parts +n03701391 a rapidly firing automatic gun (often mounted) +n03701640 machines or machine systems collectively +n03701790 a screw used either with a nut or with a tapped hole; slotted head can be driven by a screwdriver +n03702248 a powered machine for cutting or shaping or finishing metals or other materials +n03702440 a vise with two parallel iron jaws and a wide opening below +n03702582 speedometer for measuring the speed of an aircraft relative to the speed of sound +n03703075 a heavy woolen cloth heavily napped and felted, often with a plaid design +n03703203 a flat-bottomed boat used on upper Great Lakes +n03703463 a short plaid coat made of made of thick woolen material +n03703590 a lightweight waterproof (usually rubberized) fabric +n03703730 a relatively coarse lace; made by weaving and knotting cords +n03703862 a light patterned cotton cloth +n03703945 an inflatable life jacket +n03704549 a rack for displaying magazines +n03704834 an early form of slide projector +n03705379 (physics) a device that attracts iron and produces a magnetic field +n03705808 container consisting of any configuration of magnetic fields used to contain a plasma during controlled thermonuclear reactions +n03706229 compass based on an indicator (as a magnetic needle) that points to the magnetic north +n03706415 (computer science) a computer memory consisting of an array of magnetic cores; now superseded by semiconductor memories +n03706653 (computer science) a memory device consisting of a flat disk covered with a magnetic coating on which information is stored +n03706939 an electromagnet (as on a tape recorder) that converts electrical variations into magnetic variations that can be stored on a surface and later retrieved +n03707171 (nautical) a marine mine that is detonated by a mechanism that responds to magnetic material (as the steel hull of a ship) +n03707372 a slender magnet suspended in a magnetic compass on a mounting with little friction; used to indicate the direction of the earth's magnetic pole +n03707597 recorder consisting of equipment for making records on magnetic media +n03707766 a short strip of magnetic tape attached to a credit card or debit card; it contains data that will tell a reading device who you are and what your account number is, etc. +n03708036 memory device consisting of a long thin plastic strip coated with iron oxide; used to record audio or video signals or to store computer information +n03708425 a small dynamo with a secondary winding that produces a high voltage enabling a spark to jump between the poles of a spark plug in a gasoline engine +n03708843 a meter to compare strengths of magnetic fields +n03708962 a diode vacuum tube in which the flow of electrons from a central cathode to a cylindrical anode is controlled by crossed magnetic and electric fields; used mainly in microwave oscillators +n03709206 a scientific instrument that magnifies an image +n03709363 a large wine bottle for liquor or wine +n03709545 a rolling hitch similar to a clove hitch +n03709644 a conveyance that transports the letters and packages that are conveyed by the postal system +n03709823 letter carrier's shoulder bag +n03709960 pouch used in the shipment of mail +n03710079 a boat for carrying mail +n03710193 a private box for delivery of mail +n03710294 a railway car in which mail is transported and sorted +n03710421 a drop where mail can be deposited +n03710528 a container for something to be mailed +n03710637 tights for dancers or gymnasts +n03710721 a woman's one-piece bathing suit +n03710937 a sorter for sorting mail according to the address +n03711044 a train that carries mail +n03711711 a large digital computer serving 100-400 users and occupying a special air-conditioned room +n03711999 the chief mast of a sailing vessel with two or more masts +n03712111 rotor consisting of large rotating airfoils on a single-rotor helicopter that produce the lift to support the helicopter in the air +n03712337 the lowermost sail on the mainmast +n03712444 the most important spring in a mechanical device (especially a clock or watch); as it uncoils it drives the mechanism +n03712887 the topmast next above the mainmast +n03712981 a topsail set on the mainmast +n03713069 yard for a square mainsail +n03713151 a small house +n03713436 highly decorated earthenware with a glaze of tin oxide +n03714235 cosmetics applied to the face to improve or change your appearance +n03715114 reflecting telescope in which the aberration of the concave mirror is reduced by a meniscus lens +n03715275 a cane made from the stem of a rattan palm +n03715386 a tool resembling a hammer but with a large head (usually wooden); used to drive wedges or ram down paving stones or for crushing or beating or flattening or smoothing +n03715669 a light drumstick with a rounded head that is used to strike such percussion instruments as chimes, kettledrums, marimbas, glockenspiels, etc. +n03715892 a sports implement with a long handle and a head like a hammer; used in sports (polo or croquet) to hit a ball +n03716228 X-ray film of the soft tissue of the breast +n03716887 an early type of mandolin +n03716966 a stringed instrument related to the lute, usually played with a plectrum +n03717131 a container (usually in a barn or stable) from which cattle or horses feed +n03717285 clothes dryer for drying and ironing laundry by passing it between two heavy heated rollers +n03717447 a hole (usually with a flush cover) through which a person can gain access to an underground structure +n03717622 a flush iron cover for a manhole (as in a street) +n03718212 a warship intended for combat +n03718335 a pressure gauge for comparing pressures of a gas +n03718458 the mansion of a lord or wealthy person +n03718581 the large room of a manor or castle +n03718699 a man-portable surface-to-air missile +n03718789 a hip roof having two slopes on each side +n03718935 the residence of a clergyman (especially a Presbyterian clergyman) +n03719053 a large and imposing house +n03719343 shelf that projects from wall above fireplace +n03719560 short cape worn by women +n03719743 a woman's silk or lace scarf +n03720005 a light weight jacket with a high collar; worn by Mao Zedong and the Chinese people during his regime +n03720163 a diagrammatic representation of the earth's surface (or part of it) +n03720665 an assembly plant in Mexico (near the United States border); parts are shipped into Mexico and the finished product is shipped back across the border +n03720891 a percussion instrument consisting of a hollow gourd containing pebbles or beans; often played in pairs +n03721047 a small ball of glass that is used in various games +n03721252 equipage for marching +n03721384 a percussion instrument with wooden bars tuned to produce a chromatic scale and with resonators; played with small mallets +n03721590 a fancy dock for small yachts and cabin cruisers +n03722007 a writing implement for making a mark +n03722288 an area in a town where a public mercantile establishment is set up +n03722646 a pointed iron hand tool that is used to separate strands of a rope or cable (as in splicing) +n03722944 a dress crepe; similar to Canton crepe +n03723153 permanent canopy over an entrance of a hotel etc. +n03723267 inlaid veneers are fitted together to form a design or picture that is then used to ornament furniture +n03723439 the bed shared by a newly wed couple +n03723781 a circular masonry fort for coastal defence +n03723885 a harness strap that connects the nose piece to the girth; prevents the horse from throwing back its head +n03724066 makeup that is used to darken and thicken the eye lashes +n03724176 an acronym for microwave amplification by stimulated emission of radiation; an amplifier that works on the same principle as a laser and emits coherent microwave radiation +n03724417 a kitchen utensil used for mashing (e.g. potatoes) +n03724538 middle-distance iron +n03724623 iron with a lofted face for hitting high shots to the green +n03724756 (Islam) a Muslim place of worship +n03724870 a covering to disguise or conceal the face +n03725035 a protective covering worn over the face +n03725506 a type of fiberboard +n03725600 a glass jar with an air-tight screw top; used in home canning +n03725717 structure built of stone or brick by a mason +n03725869 a level longer than a carpenter's level +n03726116 a business establishment that offers therapeutic massage +n03726233 a place where illicit sex is available under the guise of therapeutic massage +n03726371 a mass spectrometer that produces a graphical representation of the mass spectrum +n03726516 spectroscope for obtaining a mass spectrum by deflecting ions into a thin slit and measuring the ion current with an electrometer +n03726760 a vertical spar for supporting sails +n03726993 any sturdy upright pole +n03727067 an ancient Egyptian mud-brick tomb with a rectangular base and sloping sides and flat roof +n03727465 the principal bedroom in a house; usually occupied by the head of the household +n03727605 the most outstanding work of a creative artist or craftsman +n03727837 a thick flat pad used as a floor covering +n03727946 sports equipment consisting of a piece of thick padding on the floor for gymnastic sports +n03728437 lighter consisting of a thin piece of wood or cardboard tipped with combustible chemical; ignites with friction +n03728982 a burning piece of wood or cardboard +n03729131 a board that has a groove cut into one edge and a tongue cut into the other so they fit tightly together (as in a floor) +n03729308 a small folder of paper safety matches +n03729402 a box for holding matches +n03729482 an early style of musket; a slow-burning wick would be lowered into a hole in the breech to ignite the charge +n03729647 a plane having cutters designed to make the tongues and grooves on the edges of matchboards +n03729826 a short thin stick of wood used in making matches +n03729951 things needed for doing or making something +n03730153 equipment and supplies of a military force +n03730334 a hospital that provides care for women during pregnancy and childbirth and for newborn infants +n03730494 a hospital ward that provides care for women during pregnancy and childbirth and for newborn infants +n03730655 mold used in the production of phonograph records, type, or other relief surface +n03730788 a kind of stopper knot +n03730893 a covering of coarse fabric (usually of straw or hemp) +n03731019 a kind of pick that is used for digging; has a flat blade set at right angles to the handle +n03731483 bedclothes that provide a cover for a mattress +n03731695 a heavy long-handled hammer used to drive stakes or wedges +n03731882 a long stick that a painter uses to support the hand holding the brush +n03732020 trademark for a repeating rifle or pistol +n03732114 a large burial chamber, usually above ground +n03732458 a long skirt ending below the calf +n03732543 an obsolete water-cooled machine gun having a single barrel +n03732658 thermometer that records the highest and lowest temperatures reached during a period of time +n03733131 a vertical pole or post decorated with streamers that can be held by dancers celebrating May Day +n03733281 complex system of paths or tunnels in which it is easy to get lost +n03733465 a large hardwood drinking bowl +n03733547 an instrumentality for accomplishing some end +n03733644 a container of some standard capacity that is used to obtain fixed amounts of a substance +n03733805 graduated cup used to measure liquid or granular ingredients +n03733925 instrument that shows the extent or amount or quantity or degree of something +n03735637 measuring instrument having a sequence of marks at regular intervals; used as a reference in making measurements +n03735963 counter where meats are displayed for sale +n03736064 a mill for grinding meat +n03736147 a strong pointed hook from which the carcasses of animals are hung +n03736269 a small house (on a farm) where meat is stored +n03736372 a safe for storing meat +n03736470 a thermometer that is inserted into the center of a roast (with the top away from the heat source); used to measure how well done the meat is +n03736970 mechanism consisting of a device that works on mechanical principles +n03738066 a mechanically operated piano that uses a roll of perforated paper to activate the keys +n03738241 a system of elements that interact on mechanical principles +n03738472 device consisting of a piece of machinery; has moving parts that perform some function +n03739518 building where medicine is practiced +n03739693 instrument used in the practice of medicine +n03742019 heavy ball used in physical training +n03742115 cabinet that holds medicines and toiletries +n03742238 the computer-based telephone system of the United States National Library of Medicine that provides rapid linkage to MEDLARS +n03743016 memorial consisting of a very large stone forming part of a prehistoric structure (especially in western Europe) +n03743279 a cone-shaped acoustic device held to the mouth to intensify and direct the human voice +n03743902 a structure erected to commemorate persons or events +n03744276 an electronic memory device +n03744684 a RAM microchip that can be plugged into a computer to provide additional memory +n03744840 a device that preserves information for retrieval +n03745146 the facility where wild animals are housed for exhibition +n03745487 garments that must be repaired +n03745571 a tall upright megalith; found primarily in England and northern France +n03746005 (Judaism) a candelabrum with nine branches; used during the Hanukkah festival +n03746155 (Judaism) a candelabrum with seven branches used in ceremonies to symbolize the seven days of Creation +n03746330 clothing that is designed for men to wear +n03746486 a public toilet for men +n03748162 a place of business for retailing goods +n03749504 barometer that shows pressure by the height of a column of mercury +n03749634 a primary cell consisting of a zinc anode and a cathode of mercury oxide and an electrolyte of potassium hydroxide +n03749807 thermometer consisting of mercury contained in a bulb at the bottom of a graduated sealed glass capillary tube marked in degrees Celsius or Fahrenheit; mercury expands with a rise in temperature causing a thin thread of mercury to rise in the tube +n03750206 ultraviolet lamp that emits a strong bluish light (rich in ultraviolet radiation) as electric current passes through mercury vapor +n03750437 the golden covering of the ark of the covenant +n03750614 a solid section between two crenels in a crenelated battlement +n03751065 a (large) military dining room where service personnel eat or relax +n03751269 waist-length jacket tapering to a point at the back; worn by officers in the mess for formal dinners +n03751458 kit containing a metal dish and eating utensils; used by soldiers and campers +n03751590 (law) a dwelling house and its adjacent buildings and the adjacent land used by the household +n03751757 detector that gives a signal when it detects the presence of metal; used to detect the presence of stray bits of metal in food products or to find buried metal +n03752071 a fabric made of a yarn that is partly or entirely of metal +n03752185 screw made of metal +n03752398 golf wood with a metal head instead of the traditional wooden head +n03752922 a small unmanned balloon set aloft to observe atmospheric conditions +n03753077 any of various measuring instruments for measuring a quantity +n03753514 a rule one meter long (usually marked off in centimeters and millimeters) +n03757604 clicking pendulum indicates the exact tempo of a piece of music +n03758089 intermediate floor just above the ground floor +n03758220 first or lowest balcony +n03758894 balance for weighing very small objects +n03758992 a small brewery; consumption of the product is mainly elsewhere +n03759243 small sheet of microfilm on which many pages of material have been photographed; a magnification system is used to read the material +n03759432 film on which materials are photographed at greatly reduced size; useful for storage; a magnification system is used to read the material +n03759661 caliper for measuring small distances +n03759954 device for converting sound waves into electrical energy +n03760310 integrated circuit semiconductor chip that performs the bulk of the processing and controls the parts of a system +n03760671 magnifier of the image of small objects +n03760944 scientific instrument that cuts thin slices of something for microscopic examination +n03761084 kitchen appliance that cooks food by passing an electromagnetic wave through it; heat results from the absorption of energy by the water molecules in the food +n03761588 diathermy machine that uses microwave radiation as the source of heat +n03761731 linear accelerator that uses microwaves +n03762238 blouse with a sailor collar +n03762332 long iron with a nearly vertical face +n03762434 (Islam) a niche in the wall of a mosque that indicates the direction of Mecca +n03762602 (Islam) a design in the shape of niche in a Muslim prayer rug; during worship the niche must be pointed toward Mecca +n03762982 hospital for soldiers and other military personnel +n03763727 living quarters for personnel on a military post +n03763968 prescribed identifying uniform for soldiers +n03764276 vehicle used by the armed forces +n03764606 snack bar that sells milk drinks and light refreshments (such as ice cream) +n03764736 large can for transporting milk +n03764822 a van (typically powered by electricity) with an open side that is used to deliver milk to houses +n03764995 machine consisting of a suction apparatus for milking cows mechanically +n03765128 low three-legged stool with a half round seat; used to sit on while milking a cow +n03765467 wagon for delivering milk +n03765561 machinery that processes materials by grinding or crushing +n03765934 dam to make a millpond to provide power for a water mill +n03766044 machine tool in which metal that is secured to a carriage is fed against rotating cutters that shape it +n03766218 a sensitive ammeter graduated in milliamperes +n03766322 hats for women; the wares sold by a milliner +n03766508 shop selling women's hats +n03766600 corrugated edge of a coin +n03766697 sensitive voltmeter that can measure voltage in millivolts +n03766935 one of a pair of heavy flat disk-shaped stones that are rotated against one another to grind the grain +n03767112 any load that is difficult to carry +n03767203 water wheel that is used to drive machinery in a mill +n03767459 a rotary duplicator that uses a stencil through which ink is pressed (trade mark Roneo) +n03767745 slender tower with balconies +n03767966 a kitchen utensil that cuts or chops food (especially meat) into small pieces +n03768132 explosive device that explodes on contact; designed to destroy vehicles or ships or to kill or maim personnel +n03768683 detector consisting of an electromagnetic device; used to locate explosive mines +n03768823 ship equipped for laying marine mines +n03768916 excavation consisting of a vertical or sloping passageway for finding or mining ore or for ventilating a mine +n03769610 sideboard with compartments for holding bottles +n03769722 small motorcycle with a low frame and small wheels and elevated handlebars +n03769881 a light bus (4 to 10 passengers) +n03770085 a car that is even smaller than a subcompact car +n03770224 a digital computer of medium size +n03770316 building where the business of a government department is transacted +n03770439 a very short skirt +n03770520 submersible vessel for one or two persons; for naval operations or underwater exploration +n03770679 a small box-shaped passenger van; usually has removable seats; used as a family car +n03770834 trimming on ceremonial robes consisting of white or light grey fur +n03770954 fur coat made from the soft lustrous fur of minks +n03772077 any of certain cathedrals and large churches; originally connected to a monastery +n03772269 a plant where money is coined by authority of the government +n03772584 points to the minutes +n03772674 a strategic weapon system using a guided missile of intercontinental range; missiles are equipped with nuclear warheads and dispersed in hardened silos +n03773035 polished surface that forms images by reflecting light +n03773504 a rocket carrying a warhead of conventional or nuclear explosives; may be ballistic or directed by remote control +n03773835 naval weaponry providing a defense system +n03774327 hand tool for guiding handsaws in making crosscuts or miter joints +n03774461 joint that forms a corner; usually both sides are bevelled at a 45-degree angle to form a 90-degree corner +n03775071 glove that encases the thumb separately and the other four fingers together +n03775199 a kitchen utensil that is used for mixing foods +n03775388 electronic equipment that mixes two or more input signals to give a single output signal +n03775546 bowl used with an electric mixer +n03775636 single faucet for separate hot and cold water pipes +n03775747 fore-and-aft sail set on the mizzenmast +n03775847 third mast from the bow in a vessel having three or more masts; the after and shorter mast of a yawl, ketch, or dandy +n03776167 large high frilly cap with a full crown; formerly worn indoors by women +n03776460 a large house trailer that can be connected to utilities and can be parked in one place and used as permanent housing +n03776877 soft leather shoe; originally worn by Native Americans +n03776997 full-scale working model of something built for study or testing or display +n03777126 modern convenience; the appliances and conveniences characteristic of a modern house +n03777568 the first widely available automobile powered by a gasoline engine; mass-produced by Henry Ford from 1908 to 1927 +n03777754 (from a combination of MOdulate and DEModulate) electronic equipment consisting of a device used to connect computers by a telephone line +n03778459 (architecture) one of a set of ornamental brackets under a cornice +n03778817 computer circuit consisting of an assembly of electronic components (as of computer hardware) +n03779000 detachable compartment of a spacecraft +n03779128 fabric made with yarn made from the silky hair of the Angora goat +n03779246 silk fabric with a wavy surface pattern +n03779370 container into which liquid is poured to create a given shape when it hardens +n03779884 wedge formed by the curved part of a steel plow blade that turns the furrow +n03780047 plow that has a moldboard +n03780799 a durable cotton fabric with a velvety nap +n03781055 a crude incendiary bomb made of a bottle filled with flammable liquid and fitted with a rag wick +n03781244 the residence of a religious community +n03781467 a long loose habit worn by monks in a monastery +n03781594 a drawstring bag for holding money +n03781683 belt with a concealed section for holding money +n03781787 a piece of electronic equipment that keeps track of the operation of a system continuously and warns of trouble +n03782006 electronic equipment that is used to check the quality or content of electronic transmissions +n03782190 display produced by a device that takes signals and displays them on a television screen or a computer monitor +n03782794 adjustable wrench that has one fixed and one adjustable jaw +n03782929 a heavy cloth in basket weave +n03783304 painting done in a range of tones of a single color +n03783430 lens for correcting defective vision in one eye; held in place by facial muscles +n03783575 a lens with a single focus that is used after cataract surgery to provide clear distance vision +n03783873 an airplane with a single wing +n03784139 a typesetting machine operated from a keyboard that sets separate characters +n03784270 (Roman Catholic Church) a vessel (usually of gold or silver) in which the consecrated Host is exposed for adoration +n03784793 a tower for mooring airships +n03784896 a round arch that widens before rounding off +n03785016 a motorbike that can be pedaled or driven by a low-powered gasoline engine +n03785142 the handle of a mop +n03785237 a thick velvety synthetic fabric used for carpets and soft upholstery +n03785499 a building (or room) where dead bodies are kept before burial or cremation +n03785721 a metal helmet worn by common soldiers in the 16th century +n03786096 a woman's informal dress for housework +n03786194 formal attire for men during the daytime +n03786313 a sitting room used during the daylight hours +n03786621 an armchair with an adjustable back +n03786715 a muzzle-loading high-angle gun with a short barrel that fires shells at high elevations for a short range +n03786901 a bowl-shaped vessel in which substances can be ground and mixed with a pestle +n03787032 an academic cap with a flat square with a tassel on top +n03787523 a joint made by inserting tenon on one piece into mortise holes in the other +n03788047 transducer formed by the light-sensitive surface on a television camera tube +n03788195 (Islam) a Muslim place of worship that usually has a minaret +n03788365 a fine net or screen (especially around beds) to protect against mosquitos +n03788498 a motor hotel +n03788601 a sleeping room in a motel +n03788914 a woman's loose unbelted dress +n03789171 a camera that takes a sequence of photographs that can give the illusion of motion when viewed in rapid succession +n03789400 photographic film several hundred feet long and wound on a spool; to be used in a movie camera +n03789603 a multicolored woolen fabric woven of mixed threads in 14th to 17th century England +n03789794 a garment made of motley (especially a court jester's costume) +n03789946 machine that converts other forms of energy into mechanical energy and so imparts motion +n03790230 a boat propelled by an internal-combustion engine +n03790512 a motor vehicle with two wheels and a strong frame +n03790755 a hotel for motorists; provides direct access from rooms to parking area +n03790953 a wheelchair propelled by a motor +n03791053 a wheeled vehicle with small wheels and a low-powered gasoline engine geared to the rear wheel +n03791235 a self-propelled wheeled vehicle that does not run on rails +n03792048 structure consisting of an artificial heap or bank usually of earth or stones +n03792334 (baseball) the slight elevation on which the pitcher stands +n03792526 a mounting consisting of a piece of metal (as in a ring or other jewelry) that holds a gem in place +n03792782 a bicycle with a sturdy frame and fat tires; originally designed for riding in mountainous country +n03792972 a lightweight tent with a floor; flaps close with a zipper +n03793489 a hand-operated electronic device that controls the coordinates of a cursor on your computer screen as you move it around on a pad; on the bottom of the device is a ball that rolls on the surface of the pad +n03793850 a push button on the mouse +n03794056 a trap for catching mice +n03794136 toiletry consisting of an aerosol foam used in hair styling +n03794798 the aperture of a wind instrument into which the player blows directly +n03795123 an acoustic device; the part of a telephone into which a person speaks +n03795269 (especially boxing) equipment that protects an athlete's mouth +n03795758 the driving and regulating parts of a mechanism (as of a watch or clock) +n03795976 projects successive frames from a reel of film to create moving pictures +n03796181 a galvanometer that is operated by the force exerted by an electric current flowing in a movable coil suspended in a magnetic field +n03796401 a van used for moving home or office furniture +n03796522 a brick made from baked mud +n03796605 a curved piece above the wheel of a bicycle or motorcycle to protect the rider from water or mud thrown up by the wheels +n03796848 a reed hut in the marshlands of Iraq; rare since the marshes were drained +n03796974 a warm tubular covering for the hands +n03797062 a kiln with an inner chamber for firing things at a low temperature +n03797182 a scarf worn around the neck +n03797264 civilian dress worn by a person who is entitled to wear a military uniform +n03797390 with handle and usually cylindrical +n03797896 a protective covering of rotting vegetable matter spread to reduce evaporation and soil erosion +n03798061 a slipper that has no fitting around the heel +n03798442 a recorder with two or more channels; makes continuous records of two or more signals simultaneously +n03798610 a plane with two or more engines +n03798982 a movie theater than has several different auditoriums in the same building +n03799113 a device that can interleave two or more activities +n03799240 a computer that uses two or more processing units under integrated control +n03799375 a rocket having two or more rocket engines (each with its own fuel) that are fired in succession and jettisoned when the fuel is exhausted +n03799610 military supplies +n03799876 a bed that can be folded or swung into a cabinet when not being used +n03800371 a small bagpipe formerly popular in France +n03800485 a small simple oboe +n03800563 a depository for collecting and displaying objects having scientific or historical or artistic value +n03800772 an anchor used for semipermanent moorings; has a bowl-shaped head that will dig in however it falls +n03800933 any of various devices or contrivances that can be used to produce musical tones or sounds +n03801353 produces music by means of pins on a revolving cylinder that strike the tuned teeth of a comb-like metal plate +n03801533 a theater in which vaudeville is staged +n03801671 a school specializing in music +n03801760 a light stand for holding sheets of printed music +n03801880 a stool for piano players; usually adjustable in height +n03802007 a muzzle-loading shoulder gun with a long barrel; formerly used by infantrymen +n03802228 a solid projectile that is shot by a musket +n03802393 plain-woven cotton fabric +n03802643 a drinking cup with a bar inside the rim to keep a man's mustache out of the drink +n03802800 a plaster containing powdered black mustard; applied to the skin as a counterirritant or rubefacient +n03802973 a device used to soften the tone of a musical instrument +n03803116 an obsolete firearm that was loaded through the muzzle +n03803284 a leather or wire restraint that fits over an animal's snout (especially a dog's nose and jaws) and prevents it from eating or biting +n03803780 X-ray film of the spinal cord and spinal nerve roots and subarachnoid space +n03804211 a streamlined enclosure for an aircraft engine +n03804744 a thin pointed piece of metal that is hammered into materials as a fastener +n03805180 a brush used to clean a person's fingernails +n03805280 a small flat file for shaping the nails +n03805374 flattened boss on the end of nail opposite to the point +n03805503 something resembling the head of a nail that is used as an ornamental device +n03805725 a cosmetic lacquer that dries quickly and that is applied to the nails to color them or make them shiny +n03805933 a soft lightweight muslin used especially for babies +n03807334 a set of graduated rods formerly used to do multiplication and division by a method invented by John Napier +n03809211 an aromatic ointment used in antiquity +n03809312 a commercial airliner with a single aisle +n03809603 corduroy with narrow ribs +n03809686 a vestibule leading to the nave of a church +n03809802 portico at the west end of an early Christian basilica or church +n03810412 a tube inserted into the trachea through the nose and pharynx; used to deliver oxygen +n03810952 memorial consisting of a structure or natural landmark of historic interest; set aside by national government for preservation and public enjoyment +n03811295 a submarine that is propelled by nuclear power +n03811444 a system that provides information useful in determining the position and course of a ship or aircraft +n03811847 equipment for a navy +n03811965 naval weaponry consisting of a large gun carried on a warship +n03812263 naval weaponry consisting of a missile carried on a warship +n03812382 naval equipment consisting of a shipboard radar +n03812789 a shipboard system for collecting and displaying tactical data +n03812924 weaponry for warships +n03813078 the central area of a church +n03813176 an instrument used for navigating +n03813946 a very large wine bottle holding the equivalent of 20 normal bottles of wine; used especially for display +n03814528 a band around the collar of a garment +n03814639 a brace worn to steady the neck +n03814727 an ornamental white cravat +n03814817 a kerchief worn around the neck +n03814906 jewelry consisting of a cord or chain (often bearing gems) worn about the neck as an ornament (especially by women) +n03815149 decoration worn about the neck (fur piece or tight necklace) as an ornament +n03815278 the line formed by the edge of a garment around the neck +n03815482 an article of apparel worn about the neck +n03815615 neckwear consisting of a long narrow piece of material worn (mostly by men) under a collar and tied in knot at the front +n03816005 articles of clothing worn about the neck +n03816136 a sharp pointed implement (usually steel) +n03816394 a slender pointer for indicating the reading on the scale of a measuring instrument +n03816530 small pliers with long thin jaws for fine work +n03816849 a creation created or assembled by needle and thread +n03817191 a piece of photographic film showing an image with light and shade or colors reversed +n03817331 the pole of a magnet that points toward the south when the magnet is suspended freely +n03817522 the terminal of a battery that is connected to the negative plate +n03817647 a loose dressing gown for women +n03818001 a stone tool from the Neolithic Age +n03818343 a lamp consisting of a small gas-discharge tube containing neon at low pressure; luminescence is produced by the action of currents at high frequencies that are wrapped a few turns around the tube +n03819047 a measuring instrument that uses a grid for measuring the altitude, direction, and velocity of movement of clouds +n03819336 furniture pieces made to fit close together +n03819448 device consisting of an artificial egg left in a nest to induce hens to lay their eggs in it +n03819595 an open fabric of string or rope or wire woven together at regular intervals +n03819994 a trap made of netting to catch fish or birds or insects +n03820154 game equipment consisting of a strip of netting dividing the playing area in tennis or badminton +n03820318 a goal lined with netting (as in soccer or hockey) +n03820728 (electronics) a system of interconnected electronic components or circuits +n03820950 a system of intersecting lines or channels +n03821145 atom bomb that produces lethal neutrons with less blast +n03821424 the central pillar of a circular staircase +n03821518 the post at the top or bottom of a flight of stairs; it supports the handrail +n03822171 the physical object that is the product of a newspaper publisher +n03822361 a reading room (in a library or club) where newspapers and other periodicals can be read +n03822504 an office in which news is processed by a newspaper or news agency or television or radio station +n03822656 a stall where newspapers and other periodicals are sold +n03822767 reflecting telescope in which the image is viewed through an eyepiece perpendicular to main axis +n03823111 the writing point of a pen +n03823216 an iron with considerable loft +n03823312 a rechargeable battery with a nickel cathode and a cadmium anode; often used in emergency systems because of its low discharge rate when not in use +n03823673 a storage battery having a nickel oxide cathode and an iron anode with an electrolyte of potassium hydroxide; each cell gives about 1.2 volts +n03823906 optical device that produces plane-polarized light +n03824197 a doorbell to be used at night +n03824284 a cloth cap worn in bed +n03824381 lingerie consisting of a loose dress designed to be worn in bed by women +n03824589 doorlock operated by a knob on the inside and a key on the outside +n03824713 light (as a candle or small bulb) that burns in a bedroom at night (as for children or invalids) +n03824999 nightclothes worn by men +n03825080 garments designed to be worn in bed +n03825271 a bowling pin of the type used in playing ninepins or (in England) skittles +n03825442 ball used to knock down ninepins +n03825673 a fine strong sheer silky fabric made of silk or rayon or nylon +n03825788 a flexible cap on a baby's feeding bottle or pacifier +n03825913 a rubber or plastic shield to protect the nipples of nursing women +n03826039 a face veil covering the lower part of the face (up to the eyes) worn by observant Muslim women +n03826186 a prefabricated hut of corrugated iron having a semicircular cross section +n03827420 rough brick masonry used to fill in the gaps in a wooden frame +n03827536 a device (such as a clapper or bell or horn) used to make a loud noise at a celebration +n03828020 a passenger car for passengers who want to avoid tobacco smoke +n03829340 computer storage that is not lost when the power is turned off +n03829857 loose-fitting single-breasted jacket +n03829954 a water wheel with buckets attached to the rim; used to raise water for transfer to an irrigation channel +n03831203 a canvas bag that is used to feed an animal (such as a horse); covers the muzzle and fastens at the top of the head +n03831382 a strap that is the part of a bridle that goes over the animal's nose +n03831757 a flute that is played by blowing through the nostrils (used in some Asian countries) +n03832144 a wheel located under the nose of an airplane that is part of the plane's landing gear +n03832673 a small compact portable computer +n03833907 ship whose motive power comes from the energy of a nuclear reactor +n03834040 (physics) any of several kinds of apparatus that maintain and control a nuclear reaction for the production of energy or artificial elements +n03834472 a rocket engine in which a nuclear reactor is used to heat a propellant +n03834604 a weapon of mass destruction whose explosive power derives from a nuclear reaction +n03835197 a painting of a naked human figure +n03835729 an embroidered rug made from a coarse Indian felt +n03835941 a long loose habit worn by nuns in a convent +n03836062 a child's room for a baby +n03836451 a fastener made by screwing a nut onto a threaded bolt +n03836602 a compound lever used to crack nuts open +n03836906 a synthetic fabric +n03836976 women's stockings made from a sheer material (nylon or rayon or silk) +n03837422 an implement used to propel or steer a boat +n03837606 a kiln for drying hops +n03837698 a building containing an oast (a kiln for drying hops); usually has a conical or pyramidal roof +n03837869 a stone pillar having a rectangular cross section tapering towards a pyramidal top +n03838024 the billiard ball that is intended to be the first ball struck by the cue ball +n03838298 the lens or system of lenses in a telescope or microscope that is nearest the object being viewed +n03838748 a bandage in which successive turns proceed obliquely up or down a limb +n03838899 a slender double-reed instrument; a woodwind with a conical bore and a double-reed mouthpiece +n03839172 an alto oboe; precursor of the English horn +n03839276 an oboe pitched a minor third lower than the ordinary oboe; used to perform baroque music +n03839424 lookout consisting of a dome-shaped observatory +n03839671 a building designed and equipped to observe astronomical phenomena +n03839795 an obstruction that stands in the way (and must be removed or surmounted or circumvented) +n03840327 a prosthesis used to close an opening (as to close an opening of the hard palate in cases of cleft palate) +n03840681 egg-shaped terra cotta wind instrument with a mouthpiece and finger holes +n03840823 a measuring instrument for measuring angles to a celestial body; similar to a sextant but with 45 degree calibration +n03841011 caliper having the points on its legs both curve in the same direction +n03841143 a meter that shows mileage traversed +n03841290 a circular or oval window; 17th or 18th century French architecture +n03841666 place of business where professional or clerical duties are performed +n03842012 a building containing offices where work is done +n03842156 furniture intended for use in an office +n03842276 a mess for the exclusive use of officers +n03842377 electronic equipment not in direct communication (or under the control of) the central processing unit +n03842585 a molding that (in section) has the shape of an S with the convex part above and the concave part below +n03842754 a pointed arch having an S-shape on both sides +n03842986 a meter for measuring electrical resistance in ohms +n03843092 oil paint containing pigment that is used by an artist +n03843316 a can with a long nozzle to apply oil to machinery +n03843438 cloth treated on one side with a drying oil or synthetic resin +n03843555 a filter that removes impurities from the oil used to lubricate an internal-combustion engine +n03843883 heater that burns oil (as kerosine) for heating or cooking +n03844045 a lamp that burns oil (as kerosine) for light +n03844233 paint in which a drying oil is the vehicle +n03844550 a pump that keeps a supply of oil on moving parts +n03844673 a refinery for petroleum +n03844815 a macintosh made from cotton fabric treated with oil and pigment to make it waterproof +n03844965 a thin film of oil floating on top of water (especially crude oil spilled from a ship) +n03845107 a whetstone for use with oil +n03845190 a cargo ship designed to carry crude oil in bulk +n03845990 necktie indicating the school the wearer attended +n03846100 a cloth of an olive-brown color used for military uniforms +n03846234 military uniform of the United States Army; made from cloth of a dull olive color +n03846431 a seated statue of the supreme god of ancient Greek mythology created for the temple at Olympia; the statue was 40 feet tall and rested on a base that was 12 feet high +n03846677 pan for cooking omelets +n03846772 an antenna that sends or receives signals equally in all directions +n03846970 a navigational system consisting of a network of radio beacons that provide aircraft with information about exact position and bearing +n03847471 a dome that is shaped like a bulb; characteristic of Russian and Byzantine church architecture +n03847823 a public marketplace where food and merchandise is sold +n03848033 an incomplete electrical circuit in which no current flows +n03848168 a wrench having parallel jaws at fixed separation (often on both ends of the handle) +n03848348 a hand tool used for opening sealed containers (bottles or cans) +n03848537 a furnace for making steel in which the steel is placed on a shallow hearth and flames of burning gas and hot air play over it +n03849275 a woodworking plane designed to cut rabbets +n03849412 rear gunsight having an open notch instead of a peephole or telescope +n03849679 ornamental work (such as embroidery or latticework) having a pattern of openings +n03849814 a building where musical dramas are performed +n03849943 a large cloak worn over evening clothes +n03850053 binocular microscope used in surgery to provide a clear view of small and inaccessible parts of the body (as in microsurgery) +n03850245 a room in a hospital equipped for the performance of surgical operations +n03850492 table on which the patient lies during a surgical operation +n03850613 medical instrument for examining the retina of the eye +n03851341 a device for producing or controlling light +n03851787 a disk coated with plastic that can store digital data as tiny pits etched in the surface; is read with a laser that scans the surface +n03852280 an instrument designed to aid vision +n03852544 a pyrometer that uses the color of the light emitted by a hot object +n03852688 an astronomical telescope designed to collect and record light from cosmic sources +n03853291 lowered area in front of a stage where an orchestra accompanies the performers +n03853924 an early bicycle with a very large front wheel and small back wheel +n03854065 wind instrument whose sound is produced by means of pipes arranged in sets supplied with air from a bellows and controlled from a large complex musical keyboard +n03854421 a sheer stiff muslin +n03854506 a self-luminous diode (it glows when an electrical field is applied to the electrodes) that does not require backlighting or diffusers +n03854722 a gallery occupied by a church organ +n03854815 the flues and stops on a pipe organ +n03855214 a fabric made of silk or a silklike fabric that resembles organdy +n03855333 a projecting bay window corbeled or cantilevered out from a wall +n03855464 a red or orange-red flag used as a standard by early French kings +n03855604 a gasket consisting of a flat ring of rubber or plastic; used to seal a joint against high pressure +n03855756 an acrylic fiber or the lightweight crease-resistant fabric made with Orlon yarns +n03855908 the fourth or lowest deck +n03856012 a public institution for the care of orphans +n03856335 a richly embroidered edging on an ecclesiastical vestment +n03856465 planetarium consisting of an apparatus that illustrates the relative positions and motions of bodies in the solar system by rotation and revolution of balls moved by wheelwork; sometimes incorporated in a clock +n03856728 a now obsolete picture pickup tube in a television camera; electrons emitted from a photoemissive surface in proportion to the intensity of the incident light are focused onto the target causing secondary emission of electrons +n03857026 a photographic film sensitive to green and blue and violet light +n03857156 heavier-than-air craft that is propelled by the flapping of wings +n03857291 an ophthalmoscope with a layer of water to neutralize the refraction of the cornea +n03857687 a device for making a record of the wave forms of fluctuating voltages or currents +n03857828 electronic equipment that provides visual images of varying electrical quantities +n03858085 any receptacle for the burial of human bones +n03858183 medical instrument consisting of a magnifying lens and light; used for examining the external ear (the auditory meatus and especially the tympanic membrane) +n03858418 thick cushion used as a seat +n03858533 a dungeon with the only entrance or exit being a trap door in the ceiling +n03858837 a wood or metal receptacle placed on your desk to hold your outgoing material +n03859000 internal-combustion engine that mounts at stern of small boat +n03859170 a motorboat with an outboard motor +n03859280 a building that is subordinate to and separate from a main building +n03859495 clothing for use outdoors +n03859608 the outlet of a river or drain or other source of water +n03859958 a set of clothing (with accessories) +n03860234 a shop that provides equipment for some specific purpose +n03860404 a small outbuilding with a bench having holes through which a user can defecate +n03861048 electronic or electromechanical equipment connected to a computer and used to transfer data out of the computer in the form of text, images, sounds, or other media +n03861271 a stabilizer for a canoe; spars attach to a shaped log or float parallel to the hull +n03861430 a seagoing canoe (as in South Pacific) with an outrigger to prevent it from upsetting +n03861596 caliper for measuring outside dimensions; points on its legs curve inward +n03861842 car mirror that reflects the view at side and behind car +n03862379 subsidiary defensive structure lying outside the main fortified area +n03862676 kitchen appliance used for baking or roasting +n03862862 a thermometer that registers the temperature inside an oven +n03863108 (usually plural) work clothing consisting of denim trousers (usually with a bib and shoulder straps) +n03863262 a loose protective coverall or smock worn over ordinary clothing for dirty work +n03863657 an additional protective coating (as of paint or varnish) +n03863783 a high gear used at high speeds to maintain the driving speed with less output power +n03863923 a garment worn over other garments +n03864139 a simple small knot (often used as part of other knots) +n03864356 projection that extends beyond or hangs over something else +n03864692 a projector operated by a speaker; projects the image over the speaker's head +n03865288 a shelf over a mantelpiece +n03865371 a small traveling bag to carry clothing and accessories for staying overnight +n03865557 bridge formed by the upper level of a crossing of two highways at different levels +n03865820 a manually operated device to correct the operation of an automatic device +n03865949 footwear that protects your shoes from water or snow or cold +n03866082 an outer skirt worn over another skirt +n03867854 a wooden framework bent in the shape of a U; its upper ends are attached to the horizontal yoke and the loop goes around the neck of an ox +n03868044 general term for an ancient and prestigious and privileged university (especially Oxford University or Cambridge University) +n03868242 a cart that is drawn by an ox +n03868324 an oval or round dormer window +n03868406 a low shoe laced over the instep +n03868643 a measuring instrument that measures the oxygen in arterial blood +n03868763 a blowtorch that burns oxyacetylene +n03868863 a breathing device that is placed over the mouth and nose; supplies oxygen from an attached storage tank +n03869838 a bar (as in a restaurant) that specializes in oysters prepared in different ways +n03869976 a workplace where oysters are bred and grown +n03870105 a high-performance car that leads a parade of competing cars through the pace lap and then pulls off the course +n03870290 an implanted electronic device that takes over the function of the natural cardiac pacemaker +n03870546 a convenient package or parcel (as of cigarettes or film) +n03870672 a bundle (especially one carried on the back) +n03870980 a cream that cleanses and tones the skin +n03871083 a wrapped container +n03871371 a store that sells alcoholic beverages for consumption elsewhere +n03871524 material used to make packages +n03871628 a small package or bundle +n03871724 a large crate in which goods are packed for shipment or storage +n03871860 a plant where livestock are slaughtered and processed and packed as meat products +n03872016 a building where foodstuffs are processed and packed +n03872167 a large needle used to sew up canvas packages +n03872273 a saddle for pack animals to which loads can be attached +n03873416 a short light oar used without an oarlock to propel a canoe or small boat +n03873699 a blade of a paddle wheel or water wheel +n03873848 small wooden bat with a flat surface; used for hitting balls in various games +n03873996 a wooden covering for the upper part of a paddlewheel +n03874138 a steam vessel propelled by paddle wheels +n03874293 a large wheel fitted with paddles and driven by an engine in order to propel a boat +n03874487 pen where racehorses are saddled and paraded before a race +n03874599 a detachable lock; has a hinged shackle that can be passed through the staple of a hasp or the links in a chain and then snapped shut +n03874823 a printer that prints one page at a time +n03875218 a substance used as a coating to protect or decorate a surface (especially a mixture of pigment suspended in a liquid); dries to form a hard coating +n03875806 a capsule filled with water-soluble dye used as a projectile in playing the game of paintball +n03875955 an air gun used in the game of paintball; designed to simulate a semiautomatic +n03876111 a box containing a collection of cubes or tubes of artists' paint +n03876231 a brush used as an applicator (to apply paint) +n03877351 a soft wool fabric with a colorful swirled pattern of curved shapes +n03877472 (usually plural) loose-fitting nightclothes worn for sleeping or lounging; have a jacket top and trousers +n03877674 a pair of loose trousers tied by a drawstring around the waist; worn by men and women in some Asian countries +n03877845 official residence of an exalted person (as a sovereign) +n03878066 a large and stately mansion +n03878211 a large ornate exhibition hall +n03878294 a closed litter carried on the shoulders of four bearers +n03878418 a stone tool from the Paleolithic age +n03878511 a public place in ancient Greece or Rome devoted to the training of wrestlers and other athletes +n03878674 board that provides a flat surface on which artists mix paints and the range of colors used +n03878828 a spatula used by artists for mixing or applying or scraping off oil paints +n03878963 fortification consisting of a strong fence made of stakes driven into the ground +n03879456 a hand tool with a flat blade used by potters for mixing and shaping clay +n03879705 one of the rounded armor plates at the armpits of a suit of armor +n03880032 cloak or mantle worn by men in ancient Rome +n03880129 (Roman Catholic Church) vestment consisting of a band encircling the shoulders with two lappets hanging in front and back +n03880323 shallow container made of metal +n03880531 cooking utensil consisting of a wide metal vessel +n03881305 turner for serving or turning pancakes +n03881404 photographic film sensitive to light of all colors (including red) +n03881534 a police cruiser +n03882611 a panel or section of panels in a wall or door +n03882960 the handle of a pan +n03883054 a button to push in order to summon help in case of an emergency +n03883385 a large basket (usually one of a pair) carried by a beast of burden or on by a person +n03883524 either of a pair of bags or boxes hung over the rear wheel of a vehicle (as a bicycle) +n03883664 a small pan or cup (usually of tin) +n03883773 a circular prison with cells distributed around a central surveillance station; proposed by Jeremy Bentham in 1791 +n03883944 an area where everything is visible +n03884397 a primitive wind instrument consisting of several parallel pipes bound together +n03884554 trousers worn in former times +n03884639 a large moving van (especially one used for moving furniture) +n03884778 (antiquity) a temple to all the gods +n03884926 a monument commemorating a nation's dead heroes +n03885028 short underpants for women or children (usually used in the plural) +n03885194 any fabric used to make trousers +n03885293 the leg of a pair of trousers +n03885410 mechanical device used to copy a figure or plan on a different scale +n03885535 a small storeroom for storing foods or wines +n03885669 a pair of pants and a matching jacket worn by women +n03885788 a woman's undergarment that combines a girdle and panties +n03885904 a woman's tights consisting of underpants and stockings +n03886053 an armored vehicle or tank +n03886641 a chain made of loops of colored paper; used to decorate a room +n03886762 a wire or plastic clip for holding sheets of paper together +n03886940 a cutting implement for cutting sheets of paper to the desired size +n03887185 a fastener for holding a sheet of paper in place +n03887330 a device for inserting sheets of paper into a printer or typewriter +n03887512 a mill where paper is manufactured +n03887697 a disposable towel made of absorbent paper +n03887899 a parabolic reflector for light radiation +n03888022 a concave reflector used to produce a parallel beam when the source is placed at its focus or to focus an incoming parallel beam +n03888257 rescue equipment consisting of a device that fills with air and retards your fall +n03888605 gymnastic apparatus consisting of two parallel wooden rods supported on uprights +n03888808 a closed circuit in which the current divides into two or more paths before recombining to complete the circuit +n03888998 an interface between a computer and a printer where the computer sends multiple bits of information to the printer simultaneously +n03889397 a stout straight knife used in Malaysia and Indonesia +n03889503 fortification consisting of a low wall +n03889626 a low wall along the edge of a roof or balcony +n03889726 parachute that will lift a person up into the air when it is towed by a motorboat or a car +n03889871 a handheld collapsible source of shade +n03890093 a small sharp knife used in paring fruits or vegetables +n03890233 a tall slender glass with a short stem in which parfait is served +n03890358 ornamental plasterwork +n03890514 computer that registers bets and divides the total amount bet among those who won +n03891051 a kind of heavy jacket (`windcheater' is a British term) +n03891251 a bench in a public park +n03891332 a coin-operated timer located next to a parking space; depositing money into it entitles you to park your car there for a specified length of time +n03891538 reception room in an inn or club where visitors can be received +n03892178 a floor made of parquetry +n03892425 a patterned wood inlay used to cover a floor +n03892557 an official residence provided by a church for its parson or vicar or rector +n03892728 a sturdy rectangular table with block legs at the four corners; the top and the legs are the same width +n03893935 a denture replacing one or more teeth in a dental arch +n03894051 a chamber in which particles can be made visible +n03894379 a vertical structure that divides or separates (as a wall divides one room from another) +n03894677 a bin for holding spare parts +n03894933 a telephone line serving two or more subscribers +n03895038 a wall erected on the line between two properties and shared by both owners +n03895170 a courtyard or portico in front of a building (especially a cathedral) +n03895866 a railcar where passengers ride +n03896103 a ship built to carry passengers +n03896233 a train that carries passengers +n03896419 a van that carries passengers +n03896526 a mounting for a picture using gummed tape +n03896628 a type of LCD display used for some portable computers; parallel wires run both vertically and horizontally and pixels are turned on when the wires intersecting at that pixel are both energized +n03896984 key that secures entrance everywhere +n03897130 an opening that resembles a window between two rooms (especially a shelved opening between a kitchen and dining room that is used to pass dishes) +n03897634 a serving cart for displaying pastry desserts to restaurant patrons +n03897943 a piece of cloth used as decoration or to mend or cover a hole +n03898129 a length of wire that has a plug at each end; used to make connections at a patchboard +n03898271 a heavy perfume made from the patchouli plant +n03898395 a flat pocket sewn to the outside of a garment +n03898633 a quilt made by sewing patches of different materials together +n03898787 a cigar-shaped log with rotary fins that measure the ship's speed +n03899100 a type of lift having a chain of open compartments that move continually in an endless loop so that (agile) passengers can step on or off at each floor +n03899612 a fine coating of oxide on the surface of a metal +n03899768 usually paved outdoor area adjoining a residence +n03899933 a bakery specializing in French pastry +n03900028 a scarf worn by Sikh men +n03900194 a vessel assigned to patrol an area +n03900301 a pan for cooking patties or pasties +n03900393 a setting with precious stones so closely set that no metal shows +n03900979 large and often sumptuous tent +n03901229 a machine for laying pavement +n03901338 (Middle Ages) a large heavy oblong shield protecting the whole body; originally carried but sometimes set up in permanent position +n03901750 (chess) the least powerful piece; moves only forward and captures only to the side; it can be promoted to a more powerful piece if it reaches the 8th rank +n03901974 a shop where loans are made with personal property as security +n03902125 a coin-operated telephone +n03902220 a removable circuit board for a personal computer; fits into a slot in the mother board +n03902482 a grove of peach trees +n03902756 a sailor's heavy woolen double-breasted jacket +n03903133 a stout lever with a sharp spike; used for handling logs +n03903290 an adornment worn on the chest or breast +n03903424 a lever that is operated with the foot +n03903733 snug trousers ending at the calves; worn by women and girls +n03903868 an architectural support or base (as for a column or statue) +n03904060 a table supported by a single central column +n03904183 street crossing where pedestrians have right of way; often marked in some way (especially with diagonal stripes) +n03904433 a tricycle (usually propelled by pedalling); used in the Orient for transporting passengers for hire +n03904657 a triangular gable between a horizontal entablature and a sloping roof +n03904782 measuring instrument for recording the number of steps taken in walking +n03904909 a device for peeling vegetables or fruits +n03905361 rear gunsight having an adjustable eyepiece with a small aperture through which the front sight and the target are aligned +n03905540 a wooden pin pushed or driven into a surface +n03905730 a holder attached to the gunwale of a boat that holds the oar in place and acts as a fulcrum for rowing +n03905947 regulator that can be turned to regulate the pitch of the strings of a stringed instrument +n03906106 a prosthesis that replaces a missing leg +n03906224 a board perforated with regularly spaced holes into which pegs can be fitted +n03906463 a bit with a bar mouthpiece that is designed to combine a curb and snaffle +n03906590 an acronym for pedestrian light control; a pedestrian crossing with traffic lights that are controlled by pedestrians +n03906789 a sleeveless cape that is lined or trimmed with fur +n03906894 measuring instrument for performing pelvimetry +n03906997 a writing implement with a point from which ink flows +n03907475 a penal institution where prisoners are exiled (often located on an island from which escape is difficult or impossible) +n03907654 an institution where persons are confined for punishment and to protect the public +n03907908 (ice hockey) an enclosed bench to the side of an ice-hockey rink for players who are serving time penalties +n03908111 a drawing executed with pen and ink +n03908204 a thin cylindrical pointed writing implement; a rod of marking substance encased in wood +n03908456 a cosmetic in a long thin stick; designed to be applied to a particular part of the face +n03908618 a box for holding pencils +n03908714 a rotary implement for sharpening the point on pencils +n03909020 an earring with a pendant ornament +n03909160 an apparatus consisting of an object mounted so that it swings freely under the influence of gravity +n03909406 a clock regulated by a pendulum +n03909516 (18th century) a watch with a balance wheel having a fake pendulum attached to it +n03909658 a bomb with about 30% explosive and a casing designed to penetrate hardened targets before the explosive detonates +n03911406 an implant that creates an artificial erection +n03911513 a correctional institution for those convicted of major crimes +n03911658 a small pocketknife; originally used to cut quill pens +n03911767 a small flashlight resembling a fountain pen +n03911866 a long flag; often tapering +n03912218 an inexpensive fipple flute +n03912821 an apartment located on the top floors of a building +n03913343 a thermionic tube having five electrodes +n03913930 a garment worn by women in ancient Greece; cloth caught at the shoulders and draped in folds to the waist +n03914106 a flared ruffle attached to the waistline of a dress or jacket or blouse +n03914337 a mill for grinding pepper +n03914438 a shaker with a perforated top for sprinkling ground pepper +n03914583 a nonlethal aerosol spray made with the pepper derivative oleoresin capiscum; used to cause temporary blindness and incapacitate an attacker; also used as a bear deterrent +n03914831 a fine closely woven cotton fabric +n03915118 a coffeepot in which boiling water ascends through a central tube and filters back down through a basket of ground coffee beans +n03915320 a detonator that explodes when struck +n03915437 a musical instrument in which the sound is produced by one object striking another +n03915900 a line of small holes for tearing at a particular place +n03916031 a toiletry that emits and diffuses a fragrant odor +n03916289 an establishment where perfumes are made +n03916385 store where perfumes are sold +n03916470 perfumes in general +n03916720 (computer science) electronic equipment connected by cable to the CPU of a computer +n03917048 an optical instrument that provides a view of an otherwise obstructed field +n03917198 a colonnade surrounding a building or enclosing a court +n03917327 a wig for men that was fashionable in the 17th and 18th centuries +n03917814 a fabric that has been chemically processed to resist wrinkles and hold its shape +n03918074 a machine that can continue to do work indefinitely without drawing energy from some external source; impossible under the law of conservation of energy +n03918480 a small digital computer based on a microprocessor and designed to be used by one person at a time +n03918737 a lightweight consumer electronic device that looks like a hand-held computer but instead performs specific tasks; can serve as a diary or a personal database or a telephone or an alarm clock etc. +n03919096 a military vehicle (usually armored) for transporting military personnel and their equipment +n03919289 a club-shaped hand tool for grinding and mixing substances in a mortar +n03919430 a heavy tool of stone or iron (usually with a flat base and a handle) that is used to grind and mix material (as grain or drugs or pigments) against a slab of stone +n03919808 regulator consisting of a small cock or faucet or valve for letting out air or releasing compression or draining +n03920288 a shallow dish used to culture bacteria +n03920384 gauze saturated with petrolatum +n03920641 a shop where pet animals can be purchased +n03920737 undergarment worn under a skirt +n03920867 long bench with backs; used in church by the congregation +n03923379 a small bottle that contains a drug (especially a sealed sterile container for injection by needle) +n03923564 a screw with a special head having crossed slots +n03923692 a screwdriver for use with Phillips screws +n03923918 a stylus that formerly made sound by following a groove in a phonograph record +n03924069 sound recording consisting of a disk with a continuous groove; used to reproduce music by rotating while a phonograph needle tracks in the groove +n03924407 a cathode that emits electrons when illuminated +n03924532 surgical instrument containing a laser for use in photocoagulation +n03924679 a copier that uses photographic methods of making copies +n03926148 equipment used by a photographer +n03926412 light-sensitive paper on which photograph can be printed +n03926876 measuring instrument for measuring the luminous intensity of a source by comparing it (visually or photoelectrically) with a standard source +n03927091 a photograph taken with the help of a microscope +n03927299 a duplicating machine that makes quick positive or negative copies directly on the surface of prepared paper +n03927539 a photocopy made on a Photostat machine +n03927792 pendulum consisting of an actual object allowed to rotate freely around a horizontal axis +n03928116 a keyboard instrument that is played by depressing keys that cause hammers to strike tuned strings and produce sounds +n03928589 action consisting of a system of levers that move a felt hammer to strike the strings when a key is depressed +n03928814 a bank of keys on a musical instrument +n03928994 thin steel wire of high tensile strength +n03929091 a small flute; pitched an octave above the standard flute +n03929202 a heavy iron tool with a wooden handle and a curved head that is pointed on both ends +n03929443 a thin sharp implement used for removing unwanted material +n03929660 a small thin device (of metal or plastic or ivory) used to pluck a stringed instrument +n03929855 a spiked helmet worn by German soldiers +n03930229 a boat serving as a picket +n03930313 a fence made of upright pickets +n03930431 a ship serving as a picket +n03930515 a barrel holding vinegar in which cucumbers are pickled +n03930630 a light truck with an open body and low sides and a tailboard +n03931044 a visual representation (of an object or scene or person or abstraction) produced on a surface +n03931765 a framework in which a picture is mounted +n03931885 a woman's dressy hat with a wide brim +n03931980 rail fixed to a wall for hanging pictures +n03932080 a large window with a single pane (usually overlooking a view) +n03932670 a separate part consisting of fabric +n03933391 lodging for occasional or secondary use +n03933933 a support for two adjacent bridge spans +n03934042 (architecture) a vertical supporting structure (as a portion of wall between two doors or windows) +n03934229 an arch supported on piers +n03934311 a large mirror between two windows +n03934565 a low table set below a pier glass +n03934656 a representation of the Virgin Mary mourning over the dead body of Jesus +n03934890 a measuring instrument for measuring high pressures +n03935116 mold consisting of a bed of sand in which pig iron is cast +n03935234 a farm where pigs are raised or kept +n03935335 a child's coin bank (often shaped like a pig) +n03935883 a rectangular column that usually projects about a third of its width from the wall to which it is attached +n03936269 a column of wood or steel or concrete that is driven into the ground to provide support for a structure +n03936466 a machine that drives piling into the ground +n03937543 a small bottle for holding pills +n03937835 a small round woman's hat +n03937931 a seat behind the rider of a horse or motorbike etc. +n03938037 a wooden instrument of punishment on a post with holes for the wrists and neck; offenders were locked in and so exposed to public scorn +n03938244 a cushion to support the head of a sleeping person +n03938401 a cast-iron or steel block for supporting a journal or bearing +n03938522 a handmade lace worked on a pillow with threads wound on bobbins; the pattern is marked out on the pillow by pins +n03938725 bed linen consisting of a decorative cover for a pillow +n03939062 a small bit that drills a first hole to guide a larger drill +n03939178 a boat to carry pilots to and from large ships +n03939281 small auxiliary gas burner that provides a flame to ignite a larger gas burner +n03939440 a thick blue cloth used to make overcoats and coats for sailors etc +n03939565 a locomotive that precedes a train to check the track +n03939677 an enclosed compartment from which a vessel can be navigated +n03939844 indicator consisting of a light to indicate whether power is on or a motor is in operation +n03940256 a small slender (often pointed) piece of wood or metal used to support or fasten or attach things +n03940894 flagpole used to mark the position of the hole on a golf green +n03941013 cylindrical tumblers consisting of two parts that are held in place by springs; when they are aligned with a key the bolt can be thrown +n03941231 plaything consisting of a container filled with toys and candy; suspended from a height for blindfolded children to break with sticks +n03941417 game equipment on which pinball is played +n03941586 spectacles clipped to the nose by a spring +n03941684 a hand tool for holding consisting of a compound lever for grasping +n03941887 a lever with a pointed projection that serves as a fulcrum; used to roll heavy wheels +n03942028 a variety of clip for holding pin curls +n03942600 a pen where stray animals are confined +n03942813 light hollow ball used in playing table tennis +n03942920 the head of a pin +n03943115 a gear with a small number of teeth designed to mesh with a larger wheel or rack +n03943266 (architecture) a slender upright spire at the top of a buttress of tower +n03943623 small puncture (as if made by a pin) +n03943714 a very thin stripe (especially a white stripe on a dark fabric) +n03943833 a fabric with very thin stripes +n03943920 a suit made from a fabric with very thin stripes +n03944024 a pin or bolt forming the pivot of a hinge +n03944138 a toy consisting of vanes of colored paper or plastic that is pinned to a stick and spins when it is pointed into the wind +n03944341 a wheel that has numerous pins that are set at right angles to its rim +n03945459 a small fipple flute that is played with the left hand while the right hand is free to beat a tabor +n03945615 a tubular wind instrument +n03945817 a small homemade bomb usually contained in a metal pipe +n03945928 cleaning implement consisting of a flexible tufted wire that is used to clean a pipe stem +n03946076 a hand tool for cutting pipe +n03946162 fitting consisting of threaded pieces of pipe for joining pipes together +n03947111 measuring instrument consisting of a graduated glass tube used to measure or transfer precise volumes of a liquid by drawing the liquid up into the tube +n03947343 a clamp for holding pipe that is to be cut or threaded +n03947466 adjustable wrench for gripping and turning a pipe; has two serrated jaws that are adjusted to grip the pipe +n03947798 tightly woven fabric with raised cords +n03947888 a ship that is manned by pirates +n03948242 a ski run densely packed with snow +n03948459 a firearm that is held and fired with one hand +n03948830 a handle (as of a gun or saw) shaped like the butt of a pistol +n03948950 mechanical device that has a plunging or thrusting motion +n03949145 seal consisting of a split metal ring that seals the gap between a piston and the cylinder wall +n03949317 connecting rod that moves or is moved by a piston +n03949761 (auto racing) an area at the side of a racetrack where the race cars are serviced and refueled +n03950228 an open vessel with a handle and a spout for pouring +n03950359 a long-handled hand tool with sharp widely spaced prongs for lifting and pitching hay +n03950537 a wedge used to loft the golf ball over obstacles +n03950647 a small pipe sounding a tone of standard frequency; used to establish the starting pitch for unaccompanied singing +n03950899 a lightweight hat worn in tropical countries for protection from the sun +n03951068 a metal spike with a hole for a rope; mountaineers drive it into ice or rock to use as a hold +n03951213 measuring instrument consisting of a combined Pitot tube and static tube that measures total and static pressure; used in aircraft to measure airspeed +n03951453 measuring instrument consisting of a right-angled tube with an open end that is directed in opposition to the flow of a fluid and used to measure the velocity of fluid flow +n03951800 a large two-handed saw formerly used to cut logs into planks; one man stood above the log and the other in a pit below +n03951971 axis consisting of a short shaft that supports something that turns +n03952150 a window that opens by pivoting either horizontally or vertically +n03952576 a shop where pizzas are made and sold +n03953020 an establishment (a factory or an assembly plant or retail store or warehouse etc.) where business is conducted, goods are made or stored or processed or where services are rendered +n03953416 any building where congregations gather for prayer +n03953901 a piece of cloth sewn under an opening +n03954393 a flat metal disk ready for stamping as a coin +n03954731 a carpenter's hand tool with an adjustable blade for smoothing or shaping wood +n03955296 a power tool for smoothing or shaping wood +n03955489 a seat on a commercial airliner +n03955809 an apparatus or model for representing the solar systems +n03955941 an optical device for projecting images of celestial bodies and other astronomical phenomena onto the inner surface of a hemispherical dome +n03956157 a building housing an instrument for projecting the positions of the planets onto a domed ceiling +n03956331 an outer gear that revolves about a central sun gear of an epicyclic train +n03956531 a bed of boards (without a mattress) +n03956623 (nautical) a covering or flooring constructed of planks (as on a ship) +n03956785 a notebook for recording appointments and things to be done, etc. +n03956922 buildings for carrying on industrial labor +n03957315 a decorative pot for house plants +n03957420 adhesive tape used in dressing wounds +n03957762 wallboard with a gypsum plaster core bonded to layers of paper or fiberboard; used instead of plaster or wallboard to make interior walls +n03957991 a trowel used to spread and smooth plaster +n03958227 a bag made of thin plastic material +n03958338 a bomb made of plastic explosive +n03958630 a laminate made by bonding plastic layers +n03958752 wrapping consisting of a very thin transparent sheet of plastic +n03959014 a metal breastplate that was worn under a coat of mail +n03959123 the front of man's dress shirt +n03959227 the ornamental front of a woman's bodice or shirt +n03959701 a metal sheathing of uniform thickness (such as the shield attached to an artillery piece to protect the gunners) +n03960374 a shallow receptacle for collection in church +n03960490 structural member consisting of a horizontal beam that provides bearing and anchorage +n03961394 the roller on a typewriter against which the keys strike +n03961630 work table of a machine tool +n03961711 a rack for holding plates to dry after they have been washed +n03961828 rail or narrow shelf fixed to a wall to display plates +n03961939 a raised horizontal surface +n03962525 any military structure or vehicle bearing weapons +n03962685 the combination of a particular computer and a particular operating system +n03962852 a bed without springs +n03962932 rocking chair on a stationary base +n03963028 a thin coating of metal deposited on a surface +n03963198 a large shallow dish used for serving food +n03963294 electronic equipment comprising the part of a tape recorder that reproduces the recorded material +n03963483 a box for a child's toys and personal things (especially at a boarding school) +n03963645 yard consisting of an outdoor area for children's play +n03964495 a portable enclosure in which babies may be left to play +n03964611 a sports outfit for women or children; usually consists of shorts and a blouse +n03965456 mercantile establishment consisting of a carefully landscaped complex of shops representing leading merchandisers; usually includes restaurants and a convenient parking area; a modern version of the traditional marketplace +n03965907 any of various types of fold formed by doubling fabric back upon itself and then pressing or stitching into shape +n03966206 an enclosed space in which the air pressure is higher than outside +n03966325 a measuring instrument for measuring changes in volume of a part or organ or whole body (usually resulting from fluctuations in the amount of blood it contains) +n03966582 a small thin metal plate held against the body and struck with a plexor in percussive examinations +n03966751 (medicine) a small hammer with a rubber head used in percussive examinations of the chest and in testing reflexes +n03966976 a gripping hand tool with two hinged arms and (usually) serrated jaws +n03967270 a light gym shoe with a rubber sole and a canvas top +n03967396 an instrument (usually driven by a computer) for drawing graphs or pictures +n03967562 a farm tool having one or more heavy blades to break the soil and cut a furrow prior to sowing +n03967942 blockage consisting of an object designed to fill a hole tightly +n03968293 an electrical device with two or three pins that is inserted in a socket to make an electrical connection +n03968479 a fuse with a thread that screws into a socket +n03968581 a hole into which a plug fits (especially a hole where water drains away) +n03968728 the metal bob of a plumb line +n03969510 a carpenter's level with a plumb line at right angles to it +n03970156 hand tool consisting of a stick with a rubber suction cup at one end; used to clean clogged drains +n03970363 men's baggy knickers hanging below the knees; formerly worn for sports (especially golf) +n03970546 a fabric with a nap that is longer and softer than velvet +n03971218 a laminate made of thin layers of wood +n03971321 a power drill powered by compressed air +n03971960 the junction between a p-type semiconductor and an n-type semiconductor +n03972146 a junction transistor having an n-type semiconductor between a p-type semiconductor that serves as an emitter and a p-type semiconductor that serves as a collector +n03972372 a cooking vessel designed to poach food (such as fish or eggs) +n03972524 a small pouch inside a garment for carrying small articles +n03973003 a small battleship built to conform with treaty limitations on tonnage and armament (from 1925 to 1930) +n03973285 a small comb suitable for carrying in a pocket +n03973402 a flap that covers the access to a pocket +n03973520 a handkerchief that is carried in a pocket +n03973628 a knife with a blade that folds into the handle; suitable for carrying in the pocket +n03973839 a watch that is carried in a small watch pocket +n03973945 a detachable container of fuel on an airplane +n03974070 plaything consisting of a pole with foot rests and a strong spring; propelled by jumping +n03974915 a lightweight photographic camera with an autofocus +n03975035 an arch with a pointed apex; characteristic of Gothic architecture +n03975657 a trowel used to fill and finish masonry joints with mortar or cement +n03975788 lace worked with a needle in a buttonhole stitch on a paper pattern +n03975926 fire iron consisting of a metal rod with a handle; used to stir a fire +n03976105 an optical device used to measure the rotation of the plane of vibration of polarized light +n03976268 (trade mark) a plastic film that can polarize a beam of light; often used in sunglasses to eliminate glare +n03976467 a camera that develops and produces a positive print within seconds +n03976657 a long (usually round) rod of wood or metal or plastic +n03977158 a long fiberglass sports implement used for pole vaulting +n03977266 a battle ax used in the Middle Ages; a long handled ax and a pick +n03977430 an ax used to slaughter cattle; has a hammer opposite the blade +n03977592 a boat used by harbor police +n03977966 van used by police to transport prisoners +n03978421 a temporary booth in a polling place which people enter to cast their votes +n03978575 wooden ball that is struck with mallets in playing polo +n03978686 a mallet used to strike the ball in polo +n03978815 a woman's dress with a tight bodice and an overskirt drawn back to reveal a colorful underskirt +n03978966 a shirt with short sleeves designed for comfort and casual wear +n03979377 any of a large class of synthetic fabrics +n03979492 a medical instrument that records several physiological processes simultaneously (e.g., pulse rate and blood pressure and respiration and perspiration) +n03980026 hairdressing consisting of a perfumed oil or ointment +n03980478 a gymnastic horse with a cylindrical body covered with leather and two upright handles (pommels) near the center; held upright by two steel supports, one at each end +n03980874 a blanket-like cloak with a hole in the center for the head +n03980986 a soft thin cloth woven from raw silk (or an imitation) +n03981094 a dagger with a slender blade +n03981340 the vestments and other insignia of a pontiff (especially a bishop) +n03981566 (nautical) a floating structure (as a flat-bottomed boat) that serves as a dock or to support a bridge +n03981760 a temporary bridge built over a series of pontoons +n03981924 a cart with an underslung axle and two seats +n03982232 ball used in playing pool +n03982331 a room with pool tables where pool is played +n03982430 game equipment consisting of a heavy table on which pool is played +n03982642 an exposed partial weather deck on the stern superstructure of a ship +n03982767 box for collecting alms, especially one in a church +n03982895 an establishment maintained at public expense in order to provide housing for the poor and homeless +n03983396 a bottle for holding soft drinks +n03983499 plaything consisting of a toy gun that makes a popping sound +n03983612 a ribbed fabric used in clothing and upholstery +n03983712 a container for cooking popcorn +n03983928 a mushroom-shaped valve that rises perpendicularly from its seat; commonly used in internal-combustion engines +n03984125 a small tent that is easy to carry and quick to set up +n03984234 ceramic ware made of a more or less translucent ceramic +n03984381 a structure attached to the exterior of a building often forming a covered entrance +n03984643 man's hat with a low, flat crown and a snap brim +n03984759 a shallow metal bowl (usually with a handle) +n03985069 a small light typewriter; usually with a case in which it can be carried +n03985232 a personal computer that can easily be carried by hand +n03985441 a circular saw that is portable and is operated with a hand grip +n03985881 gate consisting of an iron or wooden grating that hangs in the entry to a castle or fortified town; can be lowered to prevent passage +n03986071 canopy extending out from a building entrance to shelter those getting in and out of vehicles +n03986224 a carriage entrance passing through a building to an enclosed courtyard +n03986355 a large, flat, thin case for carrying loose papers or drawings or maps; usually leather +n03986562 a window in a ship or airplane +n03986704 a porch or entrance to a building consisting of a covered and often columned area +n03986857 a heavy curtain hung across a doorway +n03986949 a large travelling bag made of stiff leather +n03987266 a camera with a portrait lens +n03987376 a compound camera lens with a relatively high aperture +n03987674 the pole of a magnet that points toward the north when the magnet is suspended freely +n03987865 the terminal of a battery that is connected to the positive plate +n03987990 a tomograph that produces cross-sectional X-rays of metabolic processes in the body +n03988170 an upright consisting of a piece of timber or metal fixed firmly in an upright position +n03988758 meter for bulk mailings that imprints correct prepaid postage on pieces of mail and records the total charge +n03988926 a structure consisting of vertical beams (posts) supporting a horizontal beam (lintel) +n03989199 closed horse-drawn carriage with four wheels; formerly used to transport passengers and mail +n03989349 a small gate in the rear of a fort or castle +n03989447 a commissary on a United States Army post +n03989665 a shovel used to sink postholes +n03989777 wind instrument used by postilions of the 18th and 19th centuries +n03989898 an inn for exchanging post horses and accommodating riders +n03990474 metal or earthenware cooking vessel that is usually round and deep; often has a handle and lid +n03991062 a container in which plants are cultivated +n03991202 a bulbous stove in which wood or coal is burned +n03991321 something that seems impressive but in fact lacks substance +n03991443 resistors connected in series across a voltage source; used to obtain a desired fraction of the voltage +n03991646 a resistor with three terminals, the third being an adjustable center terminal; used to adjust voltages in radios and TV sets +n03991837 a measuring instrument for measuring direct current electromotive forces +n03992325 a jar of mixed flower petals and spices used as perfume +n03992436 a shard of pottery +n03992509 a horizontal rotating wheel holding the clay being shaped by a potter +n03992703 ceramic ware made from clay and baked in a kiln +n03992975 a pot that holds 2 quarts +n03993053 toilet consisting of a small seat used by young children +n03993180 a small or medium size container for holding or carrying things +n03993403 a medical dressing consisting of a soft heated mass of meal or clay that is spread on a cloth and applied to the skin to treat inflamed areas or improve circulation etc. +n03993703 a public enclosure for stray or unlicensed dogs +n03993878 trap consisting of an arrangement of nets directing fish into an enclosure +n03994008 any of various cosmetic or medical preparations dispensed in the form of a pulverized powder +n03994297 ammunition consisting of gunpowder and bullets for muskets +n03994417 a substance such that one to three tablespoons dissolved in a glass of warm water is a homemade emetic +n03994614 container for carrying gunpowder; made of the hollow horn of an animal +n03994757 keg (usually made of metal) for gunpowder or blasting powder +n03995018 a brake on an automobile that magnifies a small force applied to the brake pedal into a proportionately larger force applied to slow or stop the vehicle +n03995265 a cord to conduct power to an electrical appliance +n03995372 a power tool for drilling holes into hard materials +n03995535 cable used to distribute electricity +n03995661 a loom operated mechanically +n03995856 a lawn mower powered by a gasoline motor +n03996004 a device for converting a power supply to a voltage required by particular equipment +n03996145 a power tool for cutting wood +n03996416 a machine for excavating +n03996849 automotive steering where engineer power amplifies the torque applied to the steering wheel +n03997274 a device that transfers power from an engine (as in a tractor or other motor vehicle) to another piece of equipment (as to a pump or jackhammer) +n03997484 a tool driven by a motor +n03997875 the tent of an ancient Roman general +n03998194 a small rug used by Muslims during their devotions +n03998333 (Judaism) a shawl with a ritually knotted fringe at each corner; worn by Jews at morning prayer +n03998673 removes dust particles from gases by electrostatic precipitation +n03999064 a prefabricated structure +n03999160 building reserved for the officiating clergy +n03999621 room in which a monarch or other great person receives guests, assemblies, etc. +n03999992 any machine that exerts pressure to form or shape or cut materials or extract liquids or compress solids +n04000311 a machine used for printing +n04000480 clamp to prevent wooden rackets from warping when not in use +n04000592 box reserved for reporters (as at a sports event) +n04000716 an area (sometimes in a balcony) set aside for reporters (especially in a legislative hall) +n04000998 the greatest amount of sail that a ship can carry safely +n04001132 cabin consisting of the pressurized section of an aircraft or spacecraft +n04001265 autoclave for cooking at temperatures above the boiling point of water +n04001397 a dome-shaped building that is pressurized +n04001499 gauge for measuring and indicating fluid pressure +n04001661 a nuclear reactor that uses water as a coolant and moderator; the steam produced can drive a steam turbine +n04001845 protective garment consisting of an inflatable suit for space or high altitude flying +n04002262 a sharp metal spike to hold a candle +n04002371 low bench for kneeling on +n04002629 coil forming the part of an electrical circuit such that changing current in it induces a current in a neighboring circuit +n04003241 a portable paraffin cooking stove; used by campers +n04003359 a man's double-breasted frock coat +n04003856 a fabric with a dyed pattern pressed onto it (usually by engraved rollers) +n04004099 a buffer that stores data until the printer is ready +n04004210 computer circuit consisting of an electronic sub-assembly; copper conductors are laminated on an insulating board or card and circuit components are inserted into holes and dip soldered +n04004475 a machine that prints +n04004767 (computer science) an output device that prints the results of data processing +n04004990 a cable between a computer and a printer +n04005197 religious residence in a monastery governed by a prior or a convent governed by a prioress +n04005630 a correctional institution where persons are confined while on trial or for punishment +n04005912 a camp for prisoners of war +n04006067 a privately owned warship commissioned to prey on the commercial shipping or warships of an enemy nation +n04006227 a telephone line serving a single subscriber +n04006330 hedge of privet plants +n04006411 a flexible slender surgical instrument with a blunt end that is used to explore wounds or body cavities +n04007415 an endoscope for examining the rectum +n04007664 a pointed instrument that is used to prod into a state of motion +n04008385 mechanical system in a factory whereby an article is conveyed through sites at which successive operations are performed on it +n04008634 a weapon that is forcibly thrown or projected at a targets but is not self-propelled +n04009552 an optical instrument that projects an enlarged image onto a screen +n04009801 an optical device for projecting a beam of light +n04009923 a rope fitted with a hook and used for towing a gun carriage +n04010057 a knot in the rope used to drag a gun carriage +n04010779 a device that displays words for people to read +n04010927 a pointed projection +n04011827 a mechanical device that rotates to push against air or water +n04012084 an airplane that is driven by a propeller +n04012482 an airplane with an external propeller that is driven by a turbojet engine +n04012665 counter tube whose output pulse is proportional to number of ions produced +n04013060 a system that provides a propelling or driving force +n04013176 the wall that separates the stage from the auditorium in a modern theater +n04013600 the arch over the opening in the proscenium wall +n04013729 corrective consisting of a replacement for a part of the body +n04014297 a covering that is intend to protect from damage or injury +n04015204 clothing that is intended to protect the wearer from injury +n04015786 a collider that collides beams of protons and antiprotons +n04015908 drafting instrument used to draw or measure angles +n04016240 a long-handled pruning saw with a curved blade at the end and sometimes a clipper; used to prune small trees +n04016479 a knife with a curved or hooked blade +n04016576 a handsaw used for pruning trees +n04016684 shears with strong blades used for light pruning of woody plants +n04016846 an ancient stringed instrument similar to the lyre or zither but having a trapezoidal sounding board under the strings +n04017571 a hygrometer consisting of a dry-bulb thermometer and a wet-bulb thermometer; their difference indicates the dryness of the surrounding air +n04017807 a small fast unarmored and lightly armed torpedo boat; P(atrol) T(orpedo) boat +n04018155 an electronic amplification system used as a communication system in public areas +n04018399 tavern consisting of a building with a bar and public rooms; often provides light meals +n04018667 a toilet that is available to the public +n04019101 conveyance for passengers or mail or freight +n04019335 structures (such as highways or schools or bridges or docks) constructed at government expense for public use +n04019541 a vulcanized rubber disk 3 inches in diameter that is used instead of a ball in ice hockey +n04019696 a device used for pulling something +n04019881 a device (as a decorative loop of cord or fabric) for holding or drawing something back +n04020087 a chain (usually with a handle at the end) that is pulled in order to operate some mechanism (e.g. to flush a toilet) +n04020298 a simple machine consisting of a wheel with a groove in which a rope can run to change the direction or point of application of a force applied to the rope +n04020744 designated paved area beside a main road where cars can stop temporarily +n04020912 luxurious passenger car; for day or night travel +n04021028 a sweater that is put on by pulling it over the head +n04021164 cleaning implement consisting of an oily rag attached by a cord to a weight; is pulled through the barrel of a rifle or handgun to clean it +n04021362 an electronic counter that counts the number of electric pulses +n04021503 a generator of single or multiple voltage pulses; usually adjustable for pulse rate +n04021704 a circuit that times pulses +n04021798 a mechanical device that moves fluid or gas by pressure or suction +n04022332 a low-cut shoe without fastenings +n04022434 action mechanism in a modern rifle or shotgun; a back and forward motion of a sliding lever ejects the empty shell case and cocks the firearm and loads a new round +n04022708 a house where pumps (e.g. to irrigate) are installed and operated +n04022866 a pump house at a spa where medicinal waters are pumped and where patrons gather +n04023021 a type of pliers +n04023119 an enclosure in the middle of a ship's hold that protects the ship's pumps +n04023249 a tool for making holes or indentations +n04023422 a small board full of holes; each hole contains a slip of paper with symbols printed on it; a gambler pays a small sum for the privilege of pushing out a slip in the hope of obtaining one that entitles him to a prize +n04023695 a large bowl for serving beverages; usually with a ladle +n04023962 an inflated ball or bag that is suspended and punched for training in boxing +n04024137 punch consisting of pliers for perforating paper or leather +n04024274 a power driven press used to shape metal parts +n04024862 a small light basket used as a measure for fruits +n04024983 an open flat-bottomed boat used in shallow waters and propelled by a long pole +n04025508 a wedge-shaped tent; usually without a floor or windows +n04025633 a screen used in India to separate women from men or strangers +n04026053 an apparatus for removing impurities +n04026180 a basic knitting stitch +n04026417 a small bag for carrying money +n04026813 a bicycle that must be pedaled +n04026918 a wide broom that is pushed ahead of the sweeper +n04027023 an electrical switch operated by pressing +n04027367 a radio receiver that can be tuned by pressing buttons +n04027706 a sandal attached to the foot by a thong over the toes +n04027820 a small gasoline engine (as on motor boat) +n04027935 a strip of cloth wound around the leg to form legging; used by soldiers in World War I +n04028074 the iron normally used on the putting green +n04028221 a spatula used to mix or apply putty +n04028315 a game that tests your ingenuity +n04028581 a large vertical steel tower supporting high-tension power lines +n04028764 a tower for guiding pilots or marking the turning point in a race +n04029416 a large tent shaped like a pyramid; can hold half a dozen people +n04029647 a design produced by pyrography +n04029734 a thermometer designed to measure high temperatures +n04029913 a pyrometer consisting of a series of cones that melt at different temperatures +n04030054 a thermostat that operates at very high temperatures +n04030161 any receptacle in which wafers for the Eucharist are kept +n04030274 a chest in which coins from the mint are held to await assay +n04030414 a small box used by ancient Greeks to hold medicines +n04030518 a rectangular area surrounded on all sides by buildings +n04030846 a measuring instrument for measuring altitude of heavenly bodies +n04030965 a stereophonic sound recording or reproducing system using four separate channels +n04031884 living accommodations (especially those assigned to military personnel) +n04032509 a long stout staff used as a weapon +n04032603 a stamp mill for stamping quartz +n04032936 a mercury-vapor lamp that is enclosed in a quartz container instead of a glass container +n04033287 (chess) the most powerful piece +n04033425 one of four face cards in a deck bearing a picture of a queen +n04033557 vertical tie post in a roof truss +n04033801 a primitive stone mill for grinding corn by hand +n04033901 pen made from a bird's feather +n04033995 bedding made of two layers of cloth filled with stuffing and stitched together +n04034262 a bedspread constructed like a thin quilt +n04034367 a material used for making a quilt, or a quilted fabric +n04035231 calculator consisting of a cord with attached cords; used by ancient Peruvians for calculating and keeping records +n04035634 a molding having a small groove in it +n04035748 whip with a leather thong at the end +n04035836 case for holding arrows +n04035912 the keystone of an arch +n04036155 game equipment consisting of a ring of iron or circle of rope used in playing the game of quoits +n04036303 the standard typewriter keyboard; the keys for Q, W, E, R, T, and Y are the first six from the left on the top row of letter keys +n04036776 a rectangular groove made to hold two pieces together +n04036963 a joint formed by fitting together two rabbeted boards +n04037076 an indoor TV antenna; consists of two extendible rods that form a V +n04037220 a hutch for rabbits +n04037298 a small sloop having the keep of a knockabout but with finer lines and carrying more sail +n04037443 a fast car that competes in races +n04037873 a canal for a current of water +n04037964 a boat propelled by oarsmen and designed for racing +n04038231 a light narrow racing boat for two or more oarsmen +n04038338 a shell for a single oarsman +n04038440 a support for displaying various articles +n04038727 framework for holding objects +n04039041 an instrument of torture that stretches or disjoints or mutilates victims +n04039209 a wheel gear (the pinion) meshes with a toothed rack; converts rotary to reciprocating motion (and vice versa) +n04039381 a sports implement (usually consisting of a handle and an oval frame with a tightly interlaced network of strings) used to strike a ball (or shuttlecock) in various games +n04039742 the ball used in playing the game of racquetball +n04039848 measuring instrument in which the echo of a pulse of microwave radiation is used to detect and locate distant objects +n04040247 pneumatic tire that has radial-ply casing +n04040373 an internal-combustion engine having cylinders arranged radially around a central crankcase +n04040540 a pyrometer for estimating the temperature of distant sources of heat; radiation is focussed on a thermojunction connected in circuit with a galvanometer +n04040759 a mechanism consisting of a metal honeycomb through which hot fluids circulate; heat is transferred from the fluid through the honeycomb to the airstream that is created either by the motion of the vehicle or by a fan +n04041069 heater consisting of a series of pipes for circulating steam or hot water to heat rooms or buildings +n04041243 cap on the opening in the top of a radiator through which a coolant liquid can be added +n04041408 a flexible hose between the radiator and the engine block +n04041544 a communication system based on broadcasting electromagnetic waves +n04041747 omnidirectional antenna comprising the part of a radio receiver by means of which radio signals are received +n04042076 a chassis for a radio receiver +n04042204 a direction finder that gives a bearing by determining the direction of incoming radio signals +n04042358 a photographic image produced on a radiosensitive surface by radiation other than visible light (especially by X-rays or gamma rays) +n04042632 radio telescope that uses interference patterns from two antennas instead of a parabolic antenna +n04042795 a two-way radio communication system (usually microwave); part of a more extensive telecommunication network +n04042985 meter to detect and measure radiant energy (electromagnetic or acoustic) +n04043168 radiometer that is extremely sensitive +n04043411 electronic equipment consisting of a combination of a radio receiver and a record player +n04043733 an electronic receiver that detects and demodulates and amplifies transmitted signals +n04044307 the use of radio to send telegraphic messages (usually by Morse code) +n04044498 a telephone that communicates by radio waves rather than along cables +n04044716 astronomical telescope that picks up electromagnetic radiations in the radio-frequency range from extraterrestrial sources +n04044955 equipment used to treat diseases with x-rays or radioactivity +n04045085 transmitter that is the part of a radio system that transmits signals +n04045255 a housing for a radar antenna; transparent to radio waves +n04045397 a flat float (usually made of logs or planks) that can be used for transport or as a platform for swimmers +n04045644 one of several parallel sloping beams that support a roof +n04045787 a foundation (usually on soft ground) consisting of an extended layer of reinforced concrete +n04045941 a small piece of cloth or paper +n04046091 a bag in which rags are kept +n04046277 a garment (coat or sweater) that has raglan sleeves +n04046400 a sleeve that extends in one piece to the neckline of a coat or sweater with seams from the armhole to the neck +n04046590 a horizontal bar (usually of wood or metal) +n04046974 a fence (usually made of split logs laid across each other at an angle) +n04047139 a railroad depot in a theater of operations where military supplies are unloaded for distribution +n04047401 a barrier consisting of a horizontal bar and supports +n04047733 material for making rails or rails collectively +n04047834 a bed on which railroad track is laid +n04048441 a tunnel through which the railroad track runs +n04049303 a barrel used as a cistern to hold rainwater +n04049405 a water-resistant coat +n04049585 gauge consisting of an instrument to measure the quantity of precipitation +n04049753 a percussion instrument that is made from a dried cactus branch that is hollowed out and filled with small pebbles and capped at both ends; makes the sound of falling rain when tilted; origin was in Chile where tribesmen used it in ceremonies to bring rain +n04050066 a long-handled tool with a row of teeth at its head; used to move leaves or loosen soil +n04050313 the handle of a rake +n04050600 (computer science) a virtual drive that is created by setting aside part of the random-access memory to use as if it were a group of sectors +n04050933 a small fireproof dish used for baking and serving individual portions +n04051269 a simple type of jet engine; must be launched at high speed +n04051439 a tool for driving something with force +n04051549 an inclined surface connecting two levels +n04051705 an arch whose support is higher on one side than on the other +n04051825 an embankment built around a space for defensive purposes +n04052235 a rod used to ram the charge into a muzzle-loading firearm +n04052346 a rod used to clean the barrel of a firearm +n04052442 farm consisting of a large tract of land along with facilities needed to raise livestock (especially cattle) +n04052658 a one story house with a low pitched roof +n04052757 the most common computer memory which can be used by programs to perform necessary tasks while the computer is on; an integrated circuit memory chip allows information to be stored or accessed in any order and all storage locations are equally accessible +n04053508 a measuring instrument (acoustic or optical or electronic) for finding the distance of an object +n04053677 exhaust hood over a kitchen range +n04053767 surveying instrument consisting of a straight rod painted in bands of alternate red and white each one foot wide; used for sightings by surveyors +n04054361 a straight sword with a narrow blade and two edges +n04054566 (plural) rare collector's items +n04054670 a coarse file with sharp pointed projections +n04055180 mechanical device consisting of a toothed wheel or rack engaged with a pawl that permits it to move in only one direction +n04055447 toothed wheel held in place by a pawl or detent and turned by a lever +n04055700 a tavern below street level featuring beer; originally a German restaurant in the basement of city hall +n04055861 (nautical) a small horizontal rope between the shrouds of a sailing ship; they form a ladder for climbing aloft +n04056073 a thin round file shaped like the tail of a rat +n04056180 a switch made from the stems of the rattan palms +n04056413 a trap for catching rats +n04056932 a synthetic silklike fabric +n04057047 edge tool used in shaving +n04057215 a blade that has very sharp edge +n04057435 a jet or rocket engine based on a form of aerodynamic propulsion in which the vehicle emits a high-speed stream +n04057673 a turbine with blades arranged to develop torque from gradual decrease of steam pressure from inlet to exhaust +n04057846 an electrical device used to introduce reactance into a circuit +n04057981 a lamp that provides light for reading +n04058096 a room set aside for reading +n04058239 (computer science) memory whose contents can be accessed and read but cannot be changed +n04058486 a memory chip providing read-only memory +n04058594 an electronic device the displays information is a visual form +n04058721 (computer science) a tiny electromagnetic coil and metal pole used to write and read magnetic patterns on a disk +n04059157 ready-made clothing +n04059298 the main memory in a virtual memory system +n04059399 a drill that is used to shape or enlarge holes +n04059516 a squeezer with a conical ridged center that is used for squeezing juice from citrus fruit +n04059947 car mirror that reflects the view out of the rear window +n04060198 an alcohol thermometer calibrated in degrees Reaumur +n04060448 a long woolen or linen scarf covering the head and shoulders (also used as a sling for holding a baby); traditionally worn by Latin-American women +n04060647 set that receives radio or tv signals +n04060904 a container that is used to put or keep things in +n04061681 a counter (as in a hotel) where guests are received +n04061793 a room for receiving and entertaining visitors (as in a private house or hotel) +n04061969 an enclosure that is set back or indented +n04062179 an internal-combustion engine in which the crankshaft is turned by pistons moving up and down in cylinders +n04062428 an armchair whose back can be lowered and foot can be raised to allow the sitter to recline in it +n04062644 a military airplane used to gain information about an enemy +n04062807 fast armored military vehicle with four-wheel drive and open top +n04063154 an automatic mechanical device on a record player that causes new records to be played without manual intervention +n04063373 equipment for making records +n04063868 a storage device on which information (sounds or images) have been recorded +n04064213 audio system for recoding sound +n04064401 machine in which rotating records cause a stylus to vibrate and the vibrations are amplified acoustically or electronically +n04064747 a sleeve for storing a phonograph record +n04064862 a hospital room for the care of patients immediately after surgery +n04065272 a motorized wheeled vehicle used for camping or other recreational activities +n04065464 a room equipped for informal entertaining +n04065789 a bin for depositing things to be recycled +n04065909 a plant for reprocessing used or abandoned materials +n04066023 (British informal) a provincial British university of relatively recent founding; distinguished from Oxford University and Cambridge University +n04066270 a strip of red carpeting laid down for dignitaries to walk on +n04066388 an entrenched stronghold or refuge +n04066476 (military) a temporary or supplementary fortification; typically square or polygonal without flanking defenses +n04066767 gearing that reduces an input speed to a slower output speed +n04067143 organ pipe with a vibrating reed +n04067231 an organ stop with the tone of a reed instrument +n04067353 a square knot used in a reef line +n04067472 winder consisting of a revolving spool with a handle; attached to a fishing rod +n04067658 a roll of photographic film holding a series of frames to be projected by a movie projector +n04067818 a communal dining-hall (usually in a monastery) +n04067921 a long narrow dining table supported by a stretcher between two trestles +n04068441 an industrial plant for purifying a crude substance +n04068601 optical telescope consisting of a large concave mirror that produces an image that is magnified by the eyepiece +n04069166 a meter that measures the reflectance of a surface +n04069276 device that reflects radiation +n04069434 camera that allows the photographer to view and focus the exact scene being photographed +n04069582 condenser such that vapor over a boiling liquid is condensed and flows back into the vessel to prevent its contents from boiling dry +n04069777 correctional institution for the detention and discipline and training of young or first offenders +n04070003 an apparatus that reforms the molecular structure of hydrocarbons to produce richer fuel +n04070207 optical telescope that has a large convex lens that produces an image that is viewed through the eyepiece +n04070415 measuring instrument for measuring the refractive index of a substance +n04070545 a cooling system for chilling or freezing (usually for preservative purposes) +n04070727 white goods in which food can be stored at low temperatures +n04070964 a freight car that is equipped with refrigeration system +n04071102 a shelter from danger or hardship +n04071263 paraphernalia indicative of royalty (or other high office) +n04071393 the military uniform and insignia of a regiment +n04072193 any of various controls or devices for regulating or controlling fluid flow, pressure, temperature, etc. +n04072551 one of a pair of long straps (usually connected to the bit or the headpiece) used to control a horse +n04072960 electrical device such that current flowing through it in one circuit can switch on and off a current in a second circuit +n04073425 a device that when pressed will release part of a mechanism +n04073948 residence that is a place of religious seclusion (such as a monastery) +n04074185 a container where religious relics are stored or displayed (especially relics of saints) +n04074963 a device that can be used to control a machine or apparatus from a distance +n04075291 a terminal connected to a computer by a data link +n04075468 a hard disk that can be removed from the disk drive; removal prevents unauthorized use +n04075715 a coat of stucco applied to a masonry wall +n04075813 a fabric with prominent rounded crosswise ribs +n04075916 a shop specializing in repairs and maintenance +n04076052 (electronics) electronic device that amplifies a signal before transmitting it again +n04076284 a firearm that can fire several rounds without reloading +n04076713 a burial vault (usually for some famous person) +n04077430 an audio system that can reproduce and amplify signals to produce sound +n04077594 cannon that provides plate armor for the upper arm +n04077734 equipment used to rescue passengers in case of emergency +n04077889 a center where research is done +n04078002 a network of fine lines used by astronomers as a reference for measurements on star photographs +n04078574 tank used for collecting and storing a liquid (as water or oil) +n04078955 device for resetting instruments or controls +n04079106 a push button that you press to activate the reset mechanism +n04079244 the official house or establishment of an important person (as a sovereign or president) +n04079603 pyrometer that measures high temperatures by the resistance in a heated wire +n04079933 an electrical device that resists the flow of electrical current +n04080138 any system that resonates +n04080454 a hollow chamber whose dimensions allow the resonant oscillation of electromagnetic or acoustic waves +n04080705 a fashionable hotel usually in a resort area +n04080833 a breathing device for administering long-term artificial respiration +n04081281 a building where people go to eat +n04081699 a building used for shelter by travelers (especially in areas where there are no hotels) +n04081844 a device that retards something's motion +n04082344 a breathing apparatus used for resuscitation by forcing oxygen into the lungs of a person who has undergone asphyxia or arrest of respiration +n04082562 a dental appliance that holds teeth (or a prosthesis) in position after orthodontic treatment +n04082710 a wall that is built to resist lateral pressure (especially a wall built to prevent the advance of a mass of earth) +n04082886 a network of fine lines, dots, cross hairs, or wires in the focal plane of the eyepiece of an optical instrument +n04083113 an arrangement resembling a net or network +n04083309 a woman's drawstring handbag; usually made of net or beading or brocade; used in 18th and 19th centuries +n04083649 a vessel where substances are distilled or decomposed by heat +n04083800 surgical instrument that holds back the edges of a surgical incision +n04084517 the key on electric typewriters or computer keyboards that causes a carriage return and a line feed +n04084682 a furnace in which the material that is being treated is heated indirectly by flames that are directed at the roof and walls of the furnace +n04084889 a lapel on a woman's garment; turned back to show the reverse side +n04085017 the gears by which the motion of a machine can be reversed +n04085574 a garment (especially a coat) that can be worn inside out (with either side of the cloth showing) +n04085873 a facing (usually masonry) that supports an embankment +n04086066 a barrier against explosives +n04086273 a pistol with a revolving cylinder (usually having six chambers for bullets) +n04086446 a door consisting of four orthogonal partitions that rotate about a central pivot; a door designed to equalize the air pressure in tall buildings +n04086663 an instrument for measuring the flow of liquids (especially arterial blood) +n04086794 resistor for regulating current +n04086937 medical instrument consisting of a mirror mounted at an angle on a rod; used to examine the nasal passages (through the nasopharynx) +n04087126 support resembling the rib of an animal +n04087432 a ribbon used as a decoration +n04087709 vault that resembles a groined vault but has ribbed arches +n04087826 a framework of ribs +n04088229 building complex in a continuous row along a road +n04088343 a type of pliers +n04088441 a kitchen utensil used for ricing soft foods by extruding them through small holes +n04088696 a coarse sieve (as for gravel) +n04088797 a mechanical device that you ride for amusement or excitement +n04089152 a beam laid along the edge where two sloping sides of a roof meet at the top; provides an attachment for the upper ends of rafters +n04089376 either of a pair of lifelines running alongside the bowsprit of a ship +n04089666 a boot without laces that is worn for riding horses; part of a riding habit +n04089836 a short whip with a thong at the end and a handle for opening gates +n04089976 a power mower you can ride on +n04090263 a shoulder firearm with a long barrel and a rifled bore +n04090548 a bullet designed to be fired from a rifle; no longer made spherical in shape +n04090781 a grenade that is thrown from a launching device attached to the barrel of a rifle +n04091097 gear (including necessary machinery) for a particular enterprise +n04091466 a long slender pointed sable brush used by artists +n04091584 a sailing vessel with a specified rig +n04091693 gear consisting of ropes etc. supporting a ship's masts and sails +n04092168 a person's costume (especially if bizarre) +n04093157 a small ring +n04093223 gymnastic apparatus consisting of a pair of heavy metal circles (usually covered with leather) suspended by ropes; used for gymnastic exercises +n04093625 building that contains a surface for ice skating or roller skating +n04093775 a firearm designed to disperse rioters rather than to inflict serious injury or death +n04093915 a cord that is pulled to open a parachute from its pack during a descent +n04094060 a cord that is pulled to open the gasbag of a balloon wide enough to release gas and so causes the balloon to descend +n04094250 a steel lever with one end formed into a ripping chisel and the other a gooseneck with a claw for pulling nails +n04094438 a long chisel with a slightly bent cutting end; used for heavy prying or cleaning mortises +n04094608 a handsaw for cutting with the grain of the wood +n04094720 structural member consisting of the vertical part of a stair or step +n04094859 a vertical pipe in a building +n04095109 an ostentatiously elegant hotel +n04095210 a boat used on rivers or to ply a river +n04095342 heavy pin having a head at one end and the other end being hammered flat after being passed through holes in the pieces that are fastened together +n04095577 a machine for driving rivets +n04095938 metal tweezers used by marijuana smokers to hold a roach +n04096066 an open way (generally public) for travel or transportation +n04096733 a bed supporting a road +n04096848 a barrier set up by police to stop traffic on a street or road in order to catch a fugitive or inspect traffic etc. +n04097085 an inn (usually outside city limits on a main road) providing meals and liquor and dancing and (sometimes) gambling +n04097373 an open automobile having a front seat and a rumble seat +n04097622 a road (especially that part of a road) over which vehicles travel +n04097760 a special cooking pan for roasting +n04097866 any loose flowing garment +n04098169 equipment used in robotics +n04098260 optical device that produces plane-polarized ultraviolet light +n04098399 a drill bit that has hardened rotating rollers +n04098513 a curved support that permits the supported object to rock to and fro +n04098795 a trough that can be rocked back and forth; used by gold miners to shake auriferous earth in water in order to separate the gold +n04099003 a lever pivoted at the center; used especially to push a valve down in an internal-combustion engine +n04099175 a jet engine containing its own propellant and driven by reaction propulsion +n04099429 any vehicle self-propelled by a rocket engine +n04099969 a chair mounted on rockers +n04100174 a long thin implement made of metal or wood +n04100519 an enclosure for cattle that have been rounded up +n04101375 photographic film rolled up inside a container to protect it from light +n04101497 a cylinder that revolves +n04101701 a small wheel without spokes (as on a roller skate) +n04101860 bandage consisting of a strip of sterile fabric (of variable width) rolled into a cylinder to facilitate application +n04102037 a shoe with a line of rollers fixed to the sole +n04102162 (trademark) an in-line skate +n04102285 a window shade that rolls up out of the way +n04102406 elevated railway in an amusement park (usually with sharp curves and steep inclines) +n04102618 a shoe with pairs of rollers fixed to the sole +n04102760 a towel with the ends sewn together, hung on a roller +n04102872 photographic film wound on a spool +n04102962 a hitch for fastening a line to a spar or another rope +n04103094 steel mill where metal is rolled into sheets and bars +n04103206 utensil consisting of a cylinder (usually of wood) with a handle at each end; used to roll out dough +n04103364 collection of wheeled vehicles owned by a railroad or motor carrier +n04103665 a woman's foundation garment rolled on to the hips +n04103769 a dispenser of a liquid cosmetic (such as a deodorant) having a revolving ball as an applicator +n04103918 a method of transport (as a ferry or train or plane) that vehicles roll onto at the beginning and roll off of at the destination +n04104147 (trademark) a desktop rotary card index with removable cards; usually used for names, addresses, and telephone numbers +n04104384 a round arch drawn from a single center +n04104500 a building constructed by the ancient Romans +n04104770 a one-piece garment for children to wear at play; the lower part is shaped like bloomers +n04104925 a screen in a church; separates the nave from the choir or chancel +n04105068 a protective covering that covers or forms the top of a building +n04105438 protective covering on top of a motor vehicle +n04105704 material used to construct a roof +n04105893 an area within a building enclosed by walls and floor and ceiling +n04107598 a small private compartment for one on a sleeping car +n04107743 light that provides general illumination for a room +n04107984 a shelter with perches for fowl or other birds +n04108268 a strong line +n04108822 a bridge consisting of ropes +n04108999 a ski tow offering only a moving rope to hold onto +n04110068 perfume consisting of water scented with oil of roses +n04110178 circular window filled with tracery +n04110281 a bag filled with rosin; used by baseball pitchers to improve their grip on the ball +n04110439 (computer science) the actuator that moves a read/write head to the proper data track +n04110654 an internal-combustion engine in which power is transmitted directly to rotating components +n04110841 a printing press for printing from a revolving cylinder +n04110955 a mechanism that rotates +n04111190 a revolving rod that transmits power or motion +n04111414 a restaurant that specializes in roasted and barbecued meats +n04111531 an oven or broiler equipped with a rotating spit on which meat cooks as it turns +n04111668 rotating mechanism consisting of an assembly of rotating airfoils +n04111962 the rotating armature of a motor or generator +n04112147 the revolving bar of a distributor +n04112252 the long airfoil that rotates to provide the lift that supports a helicopter in the air +n04112430 the axis around which the major rotor of a helicopter turns +n04112579 a large circular room +n04112654 a building having a circular plan and a dome +n04112752 makeup consisting of a pink or red powder applied to the cheeks +n04112921 a rough preliminary model +n04113038 a roll of coins wrapped in paper +n04113194 a wheel with teeth for making a row of perforations +n04113316 the ball used to play roulette +n04113406 game equipment consisting of a wheel with slots that is used for gambling; the wheel rotates horizontally and players bet on which slot the roulette ball will stop in +n04113641 a charge of ammunition for a single shot +n04113765 an arch formed in a continuous curve; characteristic of Roman architecture +n04113968 a spherical flask with a narrow neck +n04114069 round piece of armor plate that protects the armpit +n04114301 a file with a circular cross section; used to file the inside of holes +n04114428 workplace consisting of a circular building for repairing locomotives +n04114719 a power tool with a shaped cutter; used in carpentry for cutting grooves +n04114844 (computer science) a device that forwards data packets between computer networks +n04114996 a woodworking plane with a narrow cutting head that will make grooves with smooth bottoms +n04115144 a small spiked wheel at the end of a spur +n04115256 a house that is one of a row of identical houses situated side by side and sharing common walls +n04115456 a rowboat +n04115542 an arch that is formed with more than one concentric row of voussoirs +n04115802 a sail set next above the topgallant on a royal mast +n04115996 topmast immediately above the topgallant mast +n04116098 a narrow band of elastic rubber used to hold things (such as papers) together +n04116294 a high boot made of rubber +n04116389 a bullet made of hard rubber; designed for use in crowd control +n04116512 an eraser made of rubber (or of a synthetic material with properties similar to rubber); commonly mounted at one end of a pencil +n04117216 (nautical) steering mechanism consisting of a hinged vertical plate mounted at the stern of a vessel +n04117464 a hinged vertical airfoil mounted at the tail of an aircraft and used to make horizontal course changes +n04117639 the vertical blade on a rudder +n04118021 floor covering consisting of a piece of thick heavy fabric (usually with nap or pile) +n04118538 inflated oval ball used in playing rugby +n04118635 a ruined building +n04118776 measuring stick consisting of a strip of wood or metal or plastic with a straight edge that is used for drawing straight lines and measuring lengths +n04119091 a servant's seat (or luggage compartment) in the rear of a carriage +n04119230 a folding outside seat in the back of some early cars +n04119360 a large drinking glass (ovoid bowl on a stem) for drinking toasts +n04119478 a recreation room for noisy activities (parties or children's play etc) +n04119630 a fork-like spoon with a cutting edge; coined by Edward Lear +n04119751 one of the crosspieces that form the steps of a ladder +n04120489 a light comfortable shoe designed for running +n04120695 a matching jacket and pants worn by joggers and made of fabric that absorbs perspiration +n04120842 a strip of level paved surface where planes can take off and land +n04121228 a tallow candle with a rush stem as the wick +n04121342 a reddish brown homespun fabric +n04121426 a shag rug made in Sweden +n04121511 a fencing sword with a v-shaped blade and a slightly curved handle +n04121728 a portable power saw with a reciprocating blade; can be used with a variety of blades depending on the application and kind of cut; generally have a plate that rides on the surface that is being cut +n04122262 a scarf (or trimming) made of sable +n04122349 an artist's brush made of sable hairs +n04122492 a fur coat made of sable furs +n04122578 a shoe carved from a single block of wood +n04122685 a small soft bag containing perfumed powder; used to perfume items in a drawer or chest +n04122825 a bag made of paper or plastic for holding customer's purchases +n04123026 a woman's full loose hiplength jacket +n04123123 a medieval musical instrument resembling a trombone +n04123228 a coarse cloth resembling sacking +n04123317 a garment made of coarse sacking; formerly worn as an indication of remorse +n04123448 man's hiplength coat with a straight back; the jacket of a suit +n04123567 coarse fabric used for bags or sacks +n04123740 a seat for the rider of a horse or camel +n04124098 a large bag (or pair of bags) hung over a saddle +n04124202 stable gear consisting of a blanket placed under the saddle +n04124370 an oxford with a saddle of contrasting color +n04124488 workshop where a saddler works +n04124573 a chair seat that is slightly concave and sometimes has a thickened ridge in the center +n04124887 a decorative overcast or running stitch, especially in a contrasting color +n04125021 strongbox where valuables can be safely kept +n04125116 a ventilated or refrigerated cupboard for securing provisions from pests +n04125257 a fireproof metal strongbox (usually in a bank) for storing valuables +n04125541 a house used as a hiding place or refuge by members of certain organizations +n04125692 an undecorated arch that is included in order to strengthen or support a construction +n04125853 belt attaching you to some object as a restraint in order to prevent you from getting hurt +n04126066 bicycle that has two wheels of equal size; pedals are connected to the rear wheel by a multiplying gear +n04126244 a bolt that cannot be moved from outside the door or gate +n04126541 a fireproof theater curtain to be dropped in case of fire +n04126659 a slow-burning fuse consisting of a tube or cord filled or saturated with combustible matter; used to ignite detonators from a distance +n04126852 an oil lamp that will not ignite flammable gases (methane) +n04126980 a paper match that strikes only on a specially prepared surface +n04127117 a large strong net to catch circus acrobats who fall or jump from a trapeze +n04127249 a pin in the form of a clasp; has a guard so the point of the pin will not stick the user +n04127395 a railing placed alongside a stairway or road for safety +n04127521 a razor with a guard to prevent deep cuts in the skin +n04127633 a valve in a container in which pressure can build up (as a steam boiler); it opens automatically when the pressure reaches a dangerous level +n04127904 a large piece of fabric (usually canvas fabric) by means of which wind is used to propel a sailing vessel +n04128413 any structure that resembles a sail +n04128499 a small sailing vessel; usually with a single mast +n04128710 a strong fabric (such as cotton canvas) used for making sails and tents +n04128837 a vessel that is powered by the wind; often having several masts +n04129490 a warship that was powered by sails and equipped with many heavy guns; not built after the middle of the 19th century +n04129688 a cap worn by sailors +n04129766 a boy's ensemble; copied from a sailor's uniform +n04130143 a bar where diners can assemble a salad to their own taste +n04130257 a large bowl for mixing and serving a salad +n04130566 a hydrometer that determines the concentration of salt solutions by measuring their density +n04130907 a light medieval helmet with a slit for vision +n04131015 elegant sitting room where guests are received +n04131113 gallery where works of art can be displayed +n04131208 a shop where hairdressers and beauticians work +n04131368 a type of house built in New England; has two stories in front and one behind +n04131499 a small container for holding salt at the dining table +n04131690 a shaker with a perforated top for sprinkling salt +n04131811 a plant where salt is produced commercially +n04131929 a tray (or large plate) for serving food or drinks; usually made of silver +n04132158 a pair of light loose trousers with a tight fit around the ankles; worn by women from the Indian subcontinent (usually with a kameez) +n04132465 leather belt supported by a strap over the right shoulder +n04132603 a Japanese stringed instrument resembling a banjo with a long neck and three strings and a fretted fingerboard and a rectangular soundbox; played with a plectrum +n04132829 a heavy silk fabric (often woven with silver or gold threads); used to make clothing in the Middle Ages +n04132985 a metal urn with a spigot at the base; used in Russia to boil water for tea +n04133114 an Asian skiff usually propelled by two oars +n04133789 a shoe consisting of a sole fastened by straps to the foot +n04134008 a bag filled with sand; used as a weapon or to build walls or as ballast +n04134170 a tool that throws out a blast of steam laden with sand; used to clean or grind hard surfaces +n04134523 mold consisting of a box with sand shaped to mold metal +n04134632 timepiece in which the passage of time is indicated by the flow of sand from one transparent container to another through a narrow passage +n04135024 a wedge used to get out of sand traps +n04135118 signboard consisting of two hinged boards that hang front and back from the shoulders of a walker and are used to display advertisements +n04135315 a disposable absorbent pad (trade name Kotex); worn to absorb menstrual flow +n04135710 a thin plastic film made of saran (trade name Saran Wrap) that sticks to itself; used for wrapping food +n04135933 a fine soft silk fabric often used for linings +n04136045 a stone coffin (usually bearing sculpture or inscriptions) +n04136161 a dress worn primarily by Hindu women; consists of several yards of light material that is draped around the body +n04136333 a loose skirt consisting of brightly colored fabric wrapped around the body; worn by both women and men in the South Pacific +n04136510 a framework that holds the panes of a window in the window frame +n04136800 a lock attached to the sashes of a double hung window that can fix both in the shut position +n04137089 a window with (usually two) sashes that slide vertically to let in air +n04137217 luggage consisting of a small case with a flat bottom and (usually) a shoulder strap +n04137355 a cotton fabric with a satiny finish +n04137444 man-made equipment that orbits around the earth or the moon +n04137773 a receiver on a communications satellite +n04137897 a television system in which the signal is transmitted to an orbiting satellite that receives the signal and amplifies it and transmits it back to earth +n04138131 a transmitter on a communications satellite +n04138261 a smooth fabric of silk or rayon; has a glossy face and a dull back +n04138869 a cheap handgun that is easily obtained +n04138977 a deep pan with a handle; used for stewing or boiling +n04139140 a cooking pot that has handles on either side and tight fitting lid; used for stewing or boiling +n04139395 a Finnish steam bath; steam is produced by pouring water over heated rocks +n04139859 a container (usually with a slot in the top) for keeping money at home +n04140064 hand tool having a toothed blade for cutting +n04140539 a shotgun with short barrels +n04140631 a framework for holding wood that is being sawed +n04140777 a large sawing machine +n04140853 a tool used to bend each alternate sawtooth at a slight angle outward +n04141076 a single-reed woodwind with a conical bore +n04141198 any of a family of brass wind instruments that resemble a bugle with valves +n04141327 a sheath for a sword or dagger or bayonet +n04141712 a system of scaffolds +n04141838 an indicator having a graduated sequence of marks +n04141975 a measuring instrument for weighing; shows amount of mass +n04142175 an electronic pulse counter used to count pulses that occur too rapidly to be recorded individually +n04142327 a ladder used to scale walls (as in an attack) +n04142434 a thin straight surgical knife used in dissection and surgery +n04142731 a radio receiver that moves automatically across some selected range of frequencies looking for some signal or condition +n04142999 a radar dish that rotates or oscillates in order to scan a broad area +n04143140 an electronic device that generates a digital representation of an image for data input to a computer +n04143365 an upright in house framing +n04143897 a garment worn around the head or neck or shoulders for warmth or decoration +n04144241 a joint made by notching the ends of two pieces of timber or metal so that they will lock together end-to-end +n04144539 a small rug; several can be used in a room +n04144651 a graver used to scoop out broad areas when engraving wood or metal +n04145863 reflecting telescope that has plate that corrects for aberration so a wide area of sky can be photographed +n04146050 a building where young people receive education +n04146343 a bag for carrying school books and supplies +n04146504 a bell rung to announce beginning or ending of class +n04146614 a bus used to transport children to or from school +n04146862 a ship used to train students as sailors +n04146976 establishment including the plant and equipment for providing education from kindergarten through high school +n04147183 sailing vessel used in former times +n04147291 a large beer glass +n04147495 an instrument used by scientists +n04147793 a curved oriental saber; the edge is on the convex side of the blade +n04147916 counter tube in which light flashes when exposed to ionizing radiation +n04148054 an edge tool having two crossed pivoting blades +n04148285 a measuring instrument that measures the hardness of materials by penetrating them with a stylus that has a diamond point +n04148464 an arch that supports part of the wall +n04148579 a decorative wall bracket for holding candles or other sources of light +n04148703 a candle or flaming torch secured in a sconce +n04149083 a large ladle +n04149374 child's two-wheeled vehicle operated by foot +n04149813 a large board for displaying the score of a contest (and some other information) +n04150153 a small abrasive cleaning pad used for scouring pots and pans +n04150273 a barge carrying bulk materials in an open hold +n04150371 any of various flat-bottomed boats with sloping ends +n04150980 any of various hand tools for scraping +n04151108 a device used for scratching +n04151581 a protective covering consisting of netting; can be mounted in a frame +n04151940 a covering that serves to conceal or shelter something +n04152387 partition consisting of a decorative frame or panel that serves to divide a space +n04152593 the display that is electronically created on the surface of the large end of a cathode-ray tube +n04153025 a door that consists of a frame holding metallic or plastic netting; used to allow ventilation and to keep insects from entering a building through the open door +n04153330 fabric of metal or plastic mesh +n04153751 a fastener with a tapered threaded shank and a slotted head +n04154152 a propeller with several angled blades that rotates to push against water or air +n04154340 a simple machine of the inclined-plane type consisting of a spirally threaded cylindrical rod that engages with a similarly threaded hole +n04154565 a hand tool for driving screws; has a tip that fits into the head of a screw +n04154753 a woodscrew having its shank bent into a ring +n04154854 a wrench for turning a screw +n04154938 the raised helical rib going around a screw +n04155068 the top of a container that must be screwed off and on +n04155177 adjustable wrench that has one jaw that can be adjusted by turning a screw +n04155457 a sharp-pointed awl for marking wood or metal to be cut +n04155625 a firm open-weave fabric used for a curtain in the theater +n04155735 a carving (or engraving) on whalebone, whale ivory, walrus tusk, etc., usually by American whalers +n04155889 a room in a monastery that is set aside for writing or copying manuscripts +n04156040 a purifier that removes impurities from a gas +n04156140 a brush with short stiff bristles for heavy cleaning +n04156297 a narrow woodworking plane used to cut away excess stock +n04156411 a lightweight flexible sandal with a sturdy sole; worn as play shoes by children and as sportswear by adults +n04156591 a hoe that is used by pushing rather than pulling +n04156814 each of a pair of short oars that are used by a single oarsman +n04156946 a long oar that is mounted at the stern of a boat and moved left and right to propel the boat forward +n04157099 a small room (in large old British houses) next to the kitchen; where kitchen utensils are cleaned and kept and other rough household jobs are done +n04157320 a three-dimensional work of plastic art +n04158002 container for coal; shaped to permit pouring the coal onto the fire +n04158138 an ancient Greek drinking cup; two handles and footed base +n04158250 an edge tool for cutting grass; has a long handle that must be held with both hands and a curved blade that moves parallel to the ground +n04158672 a cylindrical drawstring bag used by sailors to hold their clothing and other gear +n04158807 a boat that is seaworthy; that is adapted to the open seas +n04158956 a sailor's storage chest for personal property +n04160036 fastener consisting of a resinous composition that is plastic when warm; used for sealing documents and parcels and letters +n04160261 a garment (as a jacket or coat or robe) made of sealskin +n04160372 joint consisting of a line formed by joining two pieces +n04160586 an airplane that can land on or take off from water +n04160847 a light source with reflectors that projects a beam of light in a particular direction +n04161010 a hot iron used to destroy tissue +n04161358 any support where you can sit (especially the part of a chair or bench etc. on which you sit) +n04161981 furniture that is designed for sitting on +n04162433 the cloth covering for the buttocks +n04162706 a safety belt used in a car or plane to hold you in your seat in case of an accident +n04163530 small pruning shears with a spring that holds the handles open and a single blade that closes against a flat surface +n04164002 coil such that current is induced in it by passing a current through the primary coil +n04164199 rearmost or uppermost area in the balcony containing the least expensive seats +n04164406 the base that must be touched second by a base runner in baseball +n04164757 hand marking seconds on a timepiece +n04164868 a desk used for writing +n04165409 a piece of furniture made up of sections that can be arranged individually or together +n04165675 a blanket (or toy) that a child carries around in order to reduce anxiety +n04165945 an electrical device that sets off an alarm when someone tries to break in +n04166111 (computing) a system that enforces boundaries between computer networks +n04166281 a car that is closed and that has front and rear seats and two or four doors +n04166436 a closed litter for one passenger +n04167346 a mechanical device that sows grass seed or grain evenly over the ground +n04167489 a missile equipped with a device that is attracted toward some kind of emission (heat or light or sound or radio waves) +n04167661 a light puckered fabric (usually striped) +n04168084 a shallow arch; an arch that is less than a semicircle +n04168199 (trademark) a self-balancing personal transportation device with two wheels; can operate in any level pedestrian environment +n04168472 a glass for beer +n04168541 a large fishnet that hangs vertically, with floats at the top and weights at the bottom +n04168840 a measuring instrument for detecting and measuring the intensity and direction and duration of movements of the ground (as an earthquake) +n04169437 a switch that is used to select among alternatives +n04169597 a photoelectric cell that uses a strip of selenium +n04170037 a wheeled vehicle that carries in itself a means of propulsion +n04170384 a thermometer that records the temperature automatically +n04170515 an electric starting motor that automatically starts an internal-combustion engine +n04170694 a system consisting of a generator and a motor so connected that the motor will assume the same relative position as the generator; the generator and the motor are synchronized +n04170933 the edge of a fabric that is woven so that it will not ravel or fray +n04171208 an apparatus for visual signaling with lights or mechanically moving arms +n04171459 an autoloader that fires only one shot at each pull of the trigger +n04171629 a pistol that is a semiautomatic firearm capable of loading and firing continuously +n04171831 a conductor made with semiconducting material +n04172107 a dwelling that is attached to something on only one side +n04172230 a paint that dries with a finish between glossy and flat +n04172342 a trailer having wheels only in the rear; the front is supported by the towing vehicle +n04172512 flat braided cordage that is used on ships +n04172607 a measuring instrument for measuring the light sensitivity of film over a range of exposures +n04172776 a small shelter with an open front to protect a sentry from the weather +n04172904 a garment that can be purchased separately and worn in combinations with other garments +n04173046 large tank where solid matter or sewage is disintegrated by bacteria +n04173172 film consisting of a succession of related shots that develop a given subject in a movie +n04173511 (chemistry) an apparatus that can determine the sequence of monomers in a polymer +n04173907 a long brightly colored shawl; worn mainly by Mexican men +n04174026 a twilled woolen fabric +n04174101 a sewing machine that overcasts the raw edges of a fabric with a V-shaped stitch +n04174234 an interface (commonly used for modems and mice and some printers) that transmits data a bit at a time +n04174500 an obsolete bass cornet; resembles a snake +n04174705 a single notch in a row of notches +n04175039 utensil used in serving food or drink +n04175147 (computer science) a computer that provides client stations with access to files and printers as shared resources to a computer network +n04175574 a recreational center for servicemen +n04176068 a handcart for serving food +n04176190 a dish used for serving food +n04176295 control system that converts a small mechanical motion into one requiring much greater power; may include a negative feedback system +n04176528 any electronic equipment that receives or transmits radio or tv signals +n04177041 a gun that is set to fire on any intruder that comes in contact with the wire that sets it off +n04177329 a screw (often without a head) that fits into the boss or hub of a wheel or cam etc. and prevents motion of the part relative to the shaft on which it is mounted +n04177545 a screw that is used to adjust the tension on a spring +n04177654 a try square with an adjustable sliding head +n04177755 a small sofa +n04177820 a long wooden bench with a back +n04177931 a center in an underprivileged area that provides community services +n04178190 a shellac based phonograph record that played at 78 revolutions per minute +n04178329 impressive monuments created in the ancient world that were regarded with awe +n04178668 a plant for disposing of sewage +n04179126 a waste pipe that carries away sewage or surface water +n04179712 a workbasket in which sewing materials can be stored +n04179824 a kit of articles used in sewing +n04179913 a textile machine used as a home appliance for sewing +n04180063 a needle used in sewing to pull thread through cloth +n04180229 a room set aside for sewing +n04180888 a measuring instrument for measuring the angular distance between celestial objects; resembles an octant +n04181083 a ceramic or mural decoration made by scratching off a surface layer to reveal the ground +n04181228 a restraint that confines or restricts freedom (especially something used to tie down or restrain a prisoner) +n04181561 a U-shaped bar; the open end can be passed through chain links and closed with a bar +n04181718 protective covering that protects something from direct sunlight +n04182152 a shallow rectangular box with a transparent front used to protect and display small items (jewelry, coins, etc.) +n04182322 a long rod or pole (especially the handle of an implement or the body of a weapon like a spear or arrow) +n04183217 a rug with long pile +n04183329 a container in which something can be shaken +n04183957 cylinder forming the part of a bolt between the thread and the head +n04184095 cylinder forming a long narrow part of something +n04184316 a heavy silk fabric with a rough surface (or a cotton imitation) +n04184435 a machine tool for shaping metal or wood +n04184600 a tool for shaping metal +n04184880 a smooth crisp fabric +n04185071 any implement that is used to make something (an edge or a point) sharper +n04185529 a pen with indelible ink that will write on any surface +n04185804 a razor powered by an electric motor +n04185946 a brush used to apply lather prior to shaving +n04186051 toiletry consisting of a preparation of soap and fatty acids that forms a rich lather for softening the beard before shaving +n04186268 toiletry consisting of a liquid preparation containing many small bubbles that soften the beard before shaving +n04186455 cloak consisting of an oblong piece of cloth used to cover the head and shoulders +n04186624 a medieval oboe +n04186848 large scissors with strong blades +n04187061 a protective covering (as for a knife or sword) +n04187233 protective covering consisting, for example, of a layer of boards applied to the studs and joists of a building to strengthen it and serve as a foundation for a weatherproof exterior +n04187547 an outbuilding with a single story; used for shelter or storage +n04187751 a bell hung round the neck of a sheep so that the sheep can be easily located +n04187885 a knot for shortening a line +n04187970 a coat made of sheepskin +n04188064 farm devoted to raising sheep +n04188179 bed linen consisting of a large rectangular piece of cotton or linen cloth; used in pairs +n04189092 a hitch used for temporarily tying a rope to the middle of another rope (or to an eye) +n04189282 fabric from which bed sheets are made +n04189651 a pile in a row of piles driven side by side to retain earth or prevent seepage +n04189816 a kind of plasterboard +n04190052 a support that consists of a horizontal surface for holding objects +n04190376 a bracket to support a shelf +n04190464 ammunition consisting of a cylindrical metal casing containing an explosive charge and a projectile; fired from a large gun +n04190747 the housing or outer covering of something +n04190997 a very light narrow racing boat +n04191150 a thin varnish made by dissolving lac in ethanol; used to finish wood +n04191595 a structure that provides privacy and protection from danger +n04191943 protective covering that provides protection from the weather +n04192238 temporary housing for homeless or displaced persons +n04192361 a workshop that offers jobs to members of the physically or developmentally disabled population +n04192521 a furniture style that originated in England around 1800; simple in design with straight lines and classical ornamentation +n04192698 armor carried on the arm to intercept blows +n04192858 a protective covering or structure +n04193179 shield consisting of an arrangement of metal mesh or plates designed to protect electronic equipment from ambient electromagnetic interference +n04193377 the key on the typewriter keyboard that shifts from lower-case letters to upper-case letters +n04193742 a cudgel made of hardwood (usually oak or blackthorn) +n04193883 a thin wedge of material (wood or metal or stone) for driving into crevices +n04194009 a small signboard outside the office of a lawyer or doctor, e.g. +n04194127 a stiff protective garment worn by hockey players or a catcher in baseball to protect the shins +n04194289 a vessel that carries passengers or freight +n04196080 a system designed to work as a coherent entity on board a naval ship +n04196502 conveyance provided by the ships belonging to one country or industry +n04196803 a room where goods are packaged and shipped +n04196925 a shipboard system consisting of an acoustic detection system that is towed behind the ship +n04197110 a wrecked ship (or a part of one) +n04197391 a garment worn on the upper half of the body +n04197781 a button on a shirt +n04197878 a dress that is tailored like a shirt and has buttons all the way down the front +n04198015 the front of a shirt (usually the part not covered by a jacket) +n04198233 any of various fabrics used to make men's shirts +n04198355 the sleeve of a shirt +n04198453 fabric forming the tail of a shirt +n04198562 a blouse with buttons down the front +n04198722 a knife used as a weapon +n04198797 a mechanical damper; absorbs energy of sudden impulses +n04199027 footwear shaped to fit the foot (below the ankle) with a flexible upper of leather or plastic and a sole and heel of heavier material +n04200000 (card games) a case from which playing cards are dealt one at a time +n04200258 an oblong rectangular (usually cardboard) box designed to hold a pair of shoes +n04200537 a device used for easing the foot into a shoe +n04200800 a shop where shoes are sold +n04200908 a wooden or metal device that is inserted into a shoe to preserve its shape when it is not being worn +n04201064 an ancient musical horn made from the horn of a ram; used in ancient times by the Israelites to sound a warning or a summons; used in synagogues today on solemn occasions +n04201297 a translucent screen made of a wooden frame covered with rice paper +n04201733 another name for a station wagon +n04202142 a small country house used by hunters during the shooting season +n04202282 device that resembles a spiked walking stick but the top opens into a seat +n04202417 a mercantile establishment for the retail sale of goods or services +n04203356 a bell attached to the door of a small shop; warns the proprietor that a customer has entered the shop +n04204081 a bag made of plastic or strong paper (often with handles); used to transport goods after shopping +n04204238 a handbasket used to carry goods while shopping +n04204347 a handcart that holds groceries or other goods while shopping +n04204755 accidental contact between two points in an electric circuit that have a potential difference +n04205062 an iron with a short shaft and pitched face; for hitting short high shots +n04205318 trousers that end at or above the knee +n04205505 a sleeve extending from the shoulder to the elbow +n04205613 a diathermy machine that uses short wave radiation as the source of heat +n04206070 sports equipment consisting of a heavy metal ball used in the shot put +n04206225 a small glass adequate to hold a single swallow of whiskey +n04206356 firearm that is a double-barreled smoothbore shoulder weapon for firing shot at short ranges +n04206570 a shell containing lead shot; used in shotguns +n04206790 tower of a kind once used to make shot; molten lead was poured through a sieve and dropped into water +n04207151 the part of a garment that covers or fits over the shoulder +n04207343 a large handbag that can be carried by a strap looped over the shoulder +n04207596 an arch consisting of a horizontal lintel supported at each end by corbels that project into the aperture +n04207763 a holster worn over your shoulder so a gun can be concealed under your jacket +n04207903 protective garment consisting of a hard rounded pad worn by football players to protect their shoulders +n04208065 patch worn on the shoulder of a military uniform to indicate rank +n04208210 a hand tool for lifting loose material; consists of a curved container or scoop and a handle +n04208427 a fire iron consisting of a small shovel used to scoop coals or ashes in a fireplace +n04208582 a stiff broad-brimmed hat with the brim turned up at the sides and projecting in front; worn by some clergymen in Britain +n04208760 a river steamboat on which theatrical performances could be given (especially on the Mississippi River) +n04208936 a plumbing fixture that sprays water over you +n04209133 a tight cap worn to keep hair dry while showering +n04209239 a curtain that keeps water from splashing out of the shower area +n04209509 a room with several showers +n04209613 booth for washing yourself, usually in a bathroom +n04209811 an area where merchandise (such as cars) can be displayed +n04210012 shell containing lead pellets that explodes in flight +n04210120 a device that shreds documents (usually in order to prevent the wrong people from reading them) +n04210288 a vessel engaged in shrimping +n04210390 a place of worship hallowed by association with some sacred thing or person +n04210591 the clinging transparent plastic film that is used to shrinkwrap something +n04210858 implant consisting of a tube made of plastic or rubber; for draining fluids within the body +n04211001 a conductor having low resistance in parallel with another device to divert a fraction of the current +n04211219 a small locomotive used to move cars around but not to make trips +n04211356 a hinged blind for a window +n04211528 a mechanical device on a camera that opens and closes to control the time of a photographic exposure +n04211857 bobbin that passes the weft thread between the warp threads +n04211970 public transport that consists of a bus or train or airplane that plies back and forth between two points +n04212165 shuttle consisting of a bus that travels between two points +n04212282 badminton equipment consisting of a ball of cork or rubber with a crown of feathers +n04212467 a helicopter that shuttles back and forth +n04212810 a light conical canvas tent erected on a tripod with ventilation at the top +n04213105 (nautical) a room for the treatment of the sick or injured (as on a ship) +n04213264 the bed on which a sick person lies +n04213353 an edge tool for cutting grass or crops; has a curved blade and a short handle +n04213530 a room to which a sick person is confined +n04214046 a board that forms part of the side of a bed or crib +n04214282 conveyance consisting of a small carrier attached to the side of a motorcycle +n04214413 a small chapel off the side aisle of a church +n04214649 light carried by a boat that indicates the boat's direction; vessels at night carry a red light on the port bow and a green light on the starboard bow +n04215153 a saddle for a woman; rider sits with both feet on the same side of the horse +n04215402 walk consisting of a paved area for pedestrians; usually beside a street or roadway +n04215588 a wall that forms the side of a structure +n04215800 a paddle steamer having a paddle wheel on each side +n04215910 air-to-air missile with infrared homing device +n04216634 a strainer for separating lumps from powdered material or grading particles +n04216860 a household sieve (as for flour) +n04216963 an optical instrument for aiding the eye in aiming, as on a firearm or surveying instrument +n04217387 an endoscope (a flexible fiberoptic probe) for examining the sigmoid colon +n04217546 a building from which signals are sent to control the movements of railway trains +n04217718 a device used to send signals +n04217882 structure displaying a board on which advertisements can be posted +n04218564 a tubular acoustic device inserted in the exhaust system that is designed to reduce noise +n04218921 a small receptacle with a handle and a hinged lid; used for collecting crumbs or ashes +n04219185 a vacuum coffee maker +n04219424 a fabric made from the fine threads produced by certain insect larvae +n04219580 the brightly colored garments of a jockey; emblematic of the stable +n04220250 a cylindrical tower used for storing silage +n04220805 a thin layer of silver deposited on something +n04221076 a drawing made on specially prepared paper with an instrument having a silver tip (15th and 16th centuries) +n04221673 a hypothetical pendulum suspended by a weightless frictionless thread of constant length +n04221823 a machine that simulates an environment for the purpose of training or research +n04222210 a bed for one occupant +n04222307 a jacket having fronts that overlap only enough for a single row of buttons +n04222470 a suit having a single-breasted jacket +n04222723 a propeller plane with a single propeller +n04222847 a beating-reed instrument with a single reed (as a clarinet or saxophone) +n04223066 a helicopter having a single rotor +n04223170 a stick used instead of a sword for fencing +n04223299 a collarless men's undergarment for the upper part of the body +n04224395 an acoustic device producing a loud often wailing sound as a signal or warning +n04224543 a ship that is one of two or more similar ships built at the same time +n04224842 a stringed instrument of India; has a long neck and movable frets; has 6 or 7 metal strings for playing and usually 13 resonating strings +n04225031 a bathtub in which your buttocks and hips are immersed as if you were sitting in a chair and you bathe in a sitting position +n04225222 a carton containing six bottles or cans +n04225729 sports equipment that is worn on the feet to enable the wearer to glide along and to be propelled by the alternate actions of the legs +n04225987 a board with wheels that is ridden in a standing or crouching position and propelled by foot +n04226322 a brace that extends from the rear of the keel to support the rudderpost +n04226464 coils of worsted yarn +n04226537 the internal supporting structure that gives an artifact its shape +n04226826 a passkey with much of the bit filed away so that it can open different locks +n04226962 a domed beehive made of twisted straw +n04227050 a large round wicker basket (used on farms) +n04227144 preliminary drawing for later elaboration +n04227519 an implement for sketching +n04227787 an arch whose jambs are not at right angles with the face +n04227900 a long pin for holding meat in position while it is being roasted +n04228054 narrow wood or metal or plastic runners used in pairs for gliding over snow +n04228215 one of a pair of mechanical devices that are attached to a ski and that will grip a ski boot; the bindings should release in case of a fall +n04228422 a vehicle resembling a bicycle but having skis instead of wheels; the rider wears short skis for balancing +n04228581 a stiff boot that is fastened to a ski with a ski binding +n04228693 a close-fitting woolen cap; often has a tapering tail with a tassel +n04229007 a tractor used to haul logs over rough terrain +n04229107 a crash helmet +n04229480 any of various small boats propelled by oars or by sails or by a motor +n04229620 a steep downward ramp from which skiers jump +n04229737 a hotel at a ski resort +n04229816 a woolen face mask to protect the face from cold while skiing on snow +n04229959 a cooking utensil used to skim fat from the surface of liquids +n04230387 a parka to be worn while skiing +n04230487 an airplane equipped with skis so it can land on a snowfield +n04230603 a pole with metal points used as an aid in skiing +n04230707 a carrier for holding skis on top of a vehicle +n04230808 a garment hanging from the waist; worn mainly by girls and women +n04231272 cloth covering that forms the part of a garment below the waist +n04231693 a powered conveyance that carries skiers up a hill +n04231905 men's underwear consisting of cotton T-shirt and shorts +n04232153 rounded brimless cap fitting the crown of the head +n04232312 an elevated box for viewing events at a sports stadium +n04232437 a hook that is imagined to be suspended from the sky +n04232800 a window in a roof to admit daylight +n04233027 the sail above the royal on a square-rigger +n04233124 a very tall building with many stories +n04233295 an elevated walkway between buildings (usually enclosed) +n04233715 (usually in the plural) pants for casual wear +n04233832 casual dress consisting of slacks and matching jacket +n04234160 a weapon (a sword or dagger) used for slashing +n04234260 a pocket in a garment (usually below the waist) to which access is provided by a vertical or diagonal slit in the outside of the garment +n04234455 a thin strip (wood or metal) +n04234670 (formerly) a writing tablet made of slate +n04234763 a pencil of soft slate (or soapstone) used for writing on a slate +n04234887 a roof covered with slate +n04235291 a vehicle mounted on runners and pulled by horses or dogs; for transportation over snow +n04235646 a piece of furniture that can be opened up into a bed +n04235771 pajamas with feet; worn by children +n04235860 large padded bag designed to be slept in outdoors; usually rolls up like a bedroll +n04236001 a passenger car that has berths for sleeping +n04236377 the part of a garment that is attached at the armhole and that provides a cloth covering for the arm +n04236702 small case into which an object fits +n04236809 a bed with solid headboard and footboard that roll outward at the top +n04236935 a bell attached to a sleigh, or to the harness of a horse that is pulling a sleigh +n04237174 iron bar used to loosen and rake clinkers out of furnaces +n04237287 knife especially designed for slicing particular foods, as cheese +n04237423 a machine for cutting; usually with a revolving blade +n04238128 plaything consisting of a sloping chute down which children can slide +n04238321 a fastener for locking together two toothed edges by means of a sliding tab +n04238617 projector that projects an enlarged image of a slide onto a screen +n04238763 analog computer consisting of a handheld instrument used for rapid calculations; have been replaced by pocket calculators +n04238953 valve that opens and closes a passageway by sliding over a port +n04239074 a door that opens by sliding instead of swinging +n04239218 rower's seat that slides fore and aft +n04239333 a window that open by sliding horizontally +n04239436 bandage to support an injured forearm; consisting of a wide triangular piece of cloth hanging from around the neck +n04239639 a simple weapon consisting of a looped strap in which a projectile is whirled and then released +n04239786 a shoe that has a strap that wraps around the heel +n04239900 dispenser consisting of a tubular ring around the propeller hub of an airplane through which antifreeze solution is spread over the blades +n04240434 a friction clutch that will slip when the torque is too great +n04240752 a removable fitted cloth covering for upholstered furniture +n04240867 pliers with a joint adjustable to two positions in order to increase the opening of the jaws +n04241042 a knot at the end of a cord or rope that can slip along the cord or rope around which it is made +n04241249 an article of clothing (garment or shoe) that is easily slipped on or off +n04241394 low footwear that can be slipped on and off easily; usually worn indoors +n04241573 connection consisting of a metal ring on a rotating part of a machine; provides a continuous electrical connection through brushes on stationary contacts +n04242084 (ophthalmology) a lamp that emits a narrow but intense beam of light that enables an ophthalmologist, using a microscope, to view the retina and optic nerve +n04242315 narrow trench for shelter in battle +n04242408 a sailing vessel with a single mast set about one third of the boat's length aft of the bow +n04242587 a sailing or steam warship having cannons on only one deck +n04242704 a bowl into which the dregs of teacups and coffee cups are emptied at the table +n04243003 a large pail used to receive waste water from a washbasin or chamber pot +n04243142 cheap clothing (as formerly issued to sailors in Britain) +n04243251 a store that sells cheap ready-made clothing +n04243546 a slot machine that is used for gambling +n04243941 a machine that is operated by the insertion of a coin in a slot +n04244379 conduit that carries a rapid flow of water controlled by a sluicegate +n04244847 a sailing ship (usually rigged like a sloop or cutter) used in fishing and sailing along the coast +n04244997 a boat that is small +n04245218 interface consisting of a standard port between a computer and its peripherals that is used in some computers +n04245412 a ship that is small +n04245508 personal items conforming to regulations that are sold aboard ship or at a naval base and charged to the person's pay +n04245847 a bomb that can be guided (by a laser beam or radio) to its target +n04246060 a bottle containing smelling salts +n04246271 embroidery consisting of ornamental needlework on a garment that is made by gathering the cloth tightly in stitches +n04246459 a bomb that gives off thick smoke when it explodes; used to make a smoke screen or to mark a position +n04246731 a small house where smoke is used to cure meat or fish +n04246855 a passenger car for passengers who wish to smoke +n04247011 (military) screen consisting of a cloud of smoke that obscures movements +n04247440 room in a hotel or club set apart for smokers +n04247544 a firearm that has no rifling +n04247630 a small plane for finish work +n04247736 usually inexpensive bar +n04247876 a simple jointed bit for a horse; without a curb +n04248209 a fastener used on clothing; fastens with a snapping sound +n04248396 a brim that can be turned up and down on opposite sides +n04248507 a hat with a snap brim +n04248851 a trap for birds or small mammals; often has a slip noose +n04249415 a small drum with two heads and a snare stretched across the lower head +n04249582 a pulley-block that can be opened to receive the bight of a rope +n04249882 a globular glass with a small top; used for serving brandy +n04250224 an extremely powerful rifle developed for the military; capable of destroying light armored vehicles and aircraft more than a mile away +n04250473 (plural) hand shears for cutting sheet metal +n04250599 a kind of snowmobile +n04250692 an ornamental net in the shape of a bag that confines a woman's hair; pins or ties at the back of the head +n04250850 air passage provided by a retractable device containing intake and exhaust pipes; permits a submarine to stay submerged for extended periods of time +n04251144 breathing device consisting of a bent tube fitting into a swimmer's mouth and extending above the surface; allows swimmer to breathe while face down in the water +n04251701 a mound or heap of snow +n04251791 a board that resembles a broad ski or a small surfboard; used in a standing position to slide down snow-covered slopes +n04252077 tracked vehicle for travel on snow having skis in front +n04252225 a vehicle used to push snow from roads +n04252331 a device to help you walk on deep snow; a lightweight frame shaped like a racquet is strengthened with cross pieces and contains a network of thongs; one is worn on each foot +n04252560 a child's overgarment for cold weather +n04252653 a machine that removes snow by scooping it up and throwing it forcefully through a chute +n04253057 a small ornamental box for carrying snuff in your pocket +n04253168 a cone-shaped implement with a handle; for extinguishing candles +n04253304 scissors for cropping and holding the snuff of a candlewick +n04253931 a crate for packing soap +n04254009 a bathroom or kitchen fixture for holding a bar of soap +n04254120 dispenser of liquid soap +n04254450 a cleaning pad containing soap +n04254680 an inflated ball used in playing soccer +n04254777 hosiery consisting of a cloth covering for the foot; worn inside the shoe; reaches to between the ankle and the knee +n04255163 receptacle where something (a pipe or probe or end of a bone) is inserted +n04255346 a wrench with a handle onto which sockets of different sizes can be fitted +n04255499 a plain plinth that supports a wall +n04255586 a can for holding soft drinks +n04255670 an apparatus for dispensing soda water +n04255768 a counter where ice cream and sodas and sundaes are prepared and served +n04255899 a house built of sod or adobe laid in horizontal courses +n04256318 lamp in which an electric current passed through a tube of sodium vapor makes a yellow light; used is street lighting +n04256520 an upholstered seat for more than one person +n04256758 the underside of a part of a building (such as an arch or overhang or beam etc.) +n04256891 ball used in playing softball +n04257223 a pedal on a piano that moves the action closer to the strings and so soften the sound +n04257684 drain that conveys liquid waste from toilets, etc. +n04257790 electrical device consisting of a large array of connected solar cells +n04257986 a cell that converts solar energy into electrical energy +n04258138 a concave mirror that concentrates the rays of the sun; can produce high temperatures +n04258333 a heater that makes direct use of solar energy +n04258438 a house designed to use solar radiation for heating; usually has large areas of glass in front of heat-absorbing materials +n04258618 a telescope designed to make observations of the sun +n04258732 a system that converts sunlight into heat +n04258859 a hand tool with a heatable tip; used to melt and apply solder +n04259202 a coil of wire around an iron core; becomes a magnet when current passes through the coil +n04259468 armor plate that protects the foot; consists of mail with a solid toe and heel +n04259630 a straw hat with a tall crown and broad brim; worn in American southwest and in Mexico +n04260192 depth finder for determining depth of water or a submerged object by means of ultrasound waves +n04260364 an image of a structure that is produced by ultrasonography (reflections of high-frequency sound waves); used to observe fetal growth or to study bodily organs +n04260589 an instrument that uses the differential transmission and reflection of ultrasonic waves in order to provide an image of a bodily organ +n04261116 a machine for sorting things (such as punched cards or letters) into classes +n04261281 an open-air market in an Arabian city +n04261369 contact (the part of a bell) against which the clapper strikes +n04261506 a resonating chamber in a musical instrument (as the body of a violin) +n04261638 a movie camera that records sounds in synchrony with the visual images +n04261767 a device for making soundings +n04261868 motion-picture film with sound effects and dialogue recorded on it +n04262161 (music) resonator consisting of a thin board whose vibrations reinforce the sound of the instrument +n04262530 a research rocket used to obtain information about the atmosphere at various altitudes +n04262678 a recording of acoustic signals +n04262869 a spectrograph for acoustic spectra +n04263257 a bowl for serving soup +n04263336 a ladle for serving soup +n04263502 a spoon with a rounded bowl for eating soup +n04263760 any device serving as a source of visible electromagnetic radiation +n04263950 an organ stop resulting in a soft muted sound +n04264134 a narrow braid used as a decorative trimming +n04264233 a long cassock with buttons down the front; worn by Roman Catholic priests +n04264361 waterproof hat with wide slanting brim longer in back than in front +n04264485 soybeans bought or sold at an agreed price for delivery at a specified future date +n04264628 the bar-shaped typewriter key that introduces spaces when used +n04264765 a spacecraft designed to transport people and support human life in outer space +n04264914 a craft capable of traveling in outer space; technically, a satellite around the sun +n04265275 heater consisting of a self-contained (usually portable) unit to warm a room +n04265428 a helmet worn by astronauts while in outer space +n04265904 a rocket powerful enough to travel into outer space +n04266014 a reusable spacecraft with wings for a controlled descent through the Earth's atmosphere +n04266162 a manned artificial satellite in a fixed orbit designed for scientific research +n04266375 a pressure suit worn by astronauts while in outer space +n04266486 a sturdy hand shovel that can be pushed into the earth with the foot +n04266849 a thin bit with a center point and cutting edges on either side +n04266968 a complicated highway interchange with multiple overpasses +n04267091 a German machine gun +n04267165 an elastic synthetic fabric +n04267246 an approximately triangular surface area between two adjacent arches and the horizontal plane above them +n04267435 a fore-and-aft sail set on the aftermost lower mast (usually the mizzenmast) of a vessel +n04267577 a stout rounded pole of wood or metal used to support rigging +n04267985 a horizontal pipe having fine holes drilled throughout its length so as to deliver a spray of water +n04268142 a wire net to stop sparks from an open fireplace or smokestack +n04268275 electrical device to reduce sparking when electrical contacts are opened or closed +n04268418 an instrument that detects ionizing radiation from elementary particles +n04268565 an induction coil used to create sparks +n04268799 a component of an ignition system; consists of two shaped electrodes and the space between them +n04269086 (on early automobiles) a lever mounted on the steering column and used to adjust the timing of the ignition +n04269270 electrical device that fits into the cylinder head of an internal-combustion engine and ignites the gas by means of an electric spark +n04269502 a wrench for removing or tightening spark plugs into the cylinder head of an internal combustion engine +n04269668 an early radio transmitter using a discharge across a spark gap as the source of its power +n04269822 a cloth covering (a legging) that covers the instep and ankles +n04269944 a hand tool with a thin flexible blade used to mix or spread soft substances +n04270147 a turner with a narrow flexible blade +n04270371 a telephone with a microphone and loudspeaker; can be used without picking up a handset; several people can participate in a call at the same time +n04270576 a trumpet-shaped acoustic device to intensify and direct the human voice; formerly held to the ear by a hard-of-hearing person +n04270891 a long pointed rod used as a tool or weapon +n04271148 an implement with a shaft and barbed point used for catching fish +n04271531 a store that sells only one kind of merchandise +n04271793 a bottle for holding urine specimens +n04271891 an elaborate and remarkable display on a lavish scale +n04272054 optical instrument consisting of a frame that holds a pair of lenses for correcting defective vision +n04272389 a woman's pump with medium heel; usually in contrasting colors for toe and heel +n04272782 a spectroscope by which spectra can be photographed +n04272928 a photometer for comparing two light radiations wavelength by wavelength +n04273064 an optical instrument for spectrographic analysis +n04273285 a medical instrument for dilating a bodily passage or cavity in order to examine the interior +n04273569 a fast motorboat +n04273659 a hindrance to speeding created by a crosswise ridge in the surface of a roadway +n04273796 a meter fixed to a vehicle that measures and displays its speed +n04273972 an ice skate with a long blade; worn for racing +n04274686 a measuring instrument for measuring the curvature of a surface +n04274985 a pressure gauge for measuring blood pressure +n04275093 a mill for grinding spices +n04275175 a rack for displaying containers filled with spices +n04275283 a skillet made of cast iron +n04275548 a web resembling the webs spun by spiders +n04275661 sports equipment consisting of a sharp point on the sole of a shoe worn by athletes +n04275904 a large stout nail +n04277352 a stick or pin used to twist the yarn in spinning +n04277493 any of various rotating shafts that serve as axes for larger rotating parts +n04277669 a piece of wood that has been turned on a lathe; used as a baluster, chair leg, etc. +n04277826 a clothes dryer that uses centrifugal motion to dry the clothes that are put into it +n04278247 early model harpsichord with only one string per note +n04278353 a small and compactly built upright piano +n04278447 a large and usually triangular headsail; carried by a yacht as a headsail when running before the wind +n04278605 fisherman's lure; revolves when drawn through the water +n04278932 spinning machine that draws, twists, and winds yarn +n04279063 an early spinning machine with multiple spindles +n04279172 a textile machine for spinning yarn and thread +n04279353 a fishing rod designed for casting a spinning lure +n04279462 a small domestic spinning machine with a single spindle that is driven by hand or foot +n04279858 an oblique bandage in which successive turns overlap preceding turns +n04279987 a screwdriver with a ratchet (so the blade turns in only one direction) and a spiral in the handle (so the blade rotates) with downward pressure on the handle +n04280259 a spring that is wound like a spiral +n04280373 a lamp that burns a volatile liquid fuel such as alcohol +n04280487 a stove that burns a volatile liquid fuel such as alcohol +n04280845 a measuring instrument for measuring the vital capacity of the lungs +n04280970 a skewer for holding meat over a fire +n04281260 a receptacle for spit (usually in a public place) +n04281375 protective covering consisting of a panel to protect people from the splashing water or mud etc. +n04281571 a protective covering over or beside a wheel to protect the upper part of a vehicle from splashes of mud +n04281998 a junction where two things (as paper or film or magnetic tape) have been joined together +n04282231 a mechanical device for joining two pieces of paper or film or magnetic tape +n04282494 an orthopedic mechanical device used to immobilize and protect a part of the body (as a broken leg) +n04282872 a rail that is split from a log +n04282992 a brand of fine English porcelain +n04283096 a hinged airfoil on the upper surface of an aircraft wing that is raised to reduce lift and increase drag +n04283255 an airfoil mounted on the rear of a car to reduce lift at high speeds +n04283378 support consisting of a radial member of a wheel joining the hub to the rim +n04283585 a small plane that has a handle on each side of its blade; used for shaping or smoothing cylindrical wooden surfaces (originally wheel spokes) +n04283784 any soft porous fabric (especially in a loose honeycomb weave) +n04283905 a wet mop with a sponge as the absorbent +n04284002 a piece of cutlery with a shallow bowl-shaped container and a handle; used to stir or serve or take up food +n04284341 formerly a golfing wood with an elevated face +n04284438 trademark for a plastic eating utensil that has both tines and a bowl like a spoon +n04284572 a fur or leather pouch worn at the front of the kilt as part of the traditional dress of Scottish Highlanders +n04284869 a maneuverable kite controlled by two lines and flown with both hands +n04285008 a small low car with a high-powered engine; usually seats two persons +n04285146 equipment needed to participate in a particular sport +n04285622 an implement used in a sport +n04285803 attire worn for sport or for casual wear +n04285965 a high-performance four-wheel drive car built on a truck chassis +n04286128 a business establishment for entertainment +n04286575 a lamp that produces a strong beam of light to illuminate a restricted area; used to focus attention of a stage performer +n04286960 each of the welds made by welding at a separate point +n04287351 an oil well that is spouting +n04287451 a chock or bar wedged under a wheel or between the spokes to prevent a vehicle from rolling down an incline +n04287747 an applicator resembling a gun for applying liquid substances (as paint) in the form of a spray +n04287898 paint applied with a spray gun +n04287986 a hand tool for spreading something +n04288165 an ornament that resembles a spray of leaves or flowers +n04288272 a metal elastic device that returns to its shape or position when pushed or pulled or pressed +n04288533 a balance that measure weight by the tension on a helical spring +n04288673 a flexible board for jumping upward +n04289027 mechanical device that attaches to a garden hose for watering lawn or garden +n04289195 a system for extinguishing fires; water from a network of overhead pipes is released through nozzles that open automatically with the rise in temperature +n04289449 a light spar that crosses a fore-and-aft sail diagonally +n04289576 a fore-and-aft sail extended by a sprit +n04289690 thin wheel with teeth that engage with a chain +n04289827 roller that has teeth on the rims to pull film or paper through +n04290079 (nautical) small stuff consisting of a lightweight rope made of several rope yarns loosely wound together +n04290259 a sharp prod fixed to a rider's heel and used to urge a horse onward +n04290507 gear wheels that mesh in the same plane +n04290615 a Russian artificial satellite +n04290762 a satellite with sensors to detect nuclear explosions +n04291069 a room in a police station where members of the force assemble for roll call and duty assignments +n04291242 a hand tool consisting of two straight arms at right angles; used to construct or test right angles +n04291759 a double knot made of two half hitches and used to join the ends of two cords +n04291992 a square-rigged sailing ship +n04292080 a four-sided sail set beneath a horizontal yard suspended at the middle from a mast +n04292221 rubber ball used in playing squash +n04292414 a small racket with a long handle used for playing squash +n04292572 the loudspeaker on an intercom or public address system +n04292921 T-shaped cleaning implement with a rubber edge across the top; drawn across a surface to remove water (as in washing windows) +n04293119 a kitchen utensil for squeezing juice from fruit +n04293258 an electric circuit that cuts off a receiver when the signal becomes weaker than the noise +n04293744 a small arch built across the interior angle of two walls (usually to support a spire) +n04294212 a device for making something stable +n04294426 airfoil consisting of a device for stabilizing an aircraft +n04294614 a rigid metal bar between the front suspensions and between the rear suspensions of cars and trucks; serves to stabilize the chassis +n04294879 a farm building for housing horses or other livestock +n04295081 gear for a horse +n04295353 accommodation for animals (especially for horses) +n04295571 storage space in a library consisting of an extensive arrangement of bookshelves where most of the books are stored +n04295777 a base or platform on which hay or corn is stacked +n04295881 a large structure for open-air sports or entertainments +n04296562 a large platform on which people can stand and can be seen by an audience +n04297098 a large coach-and-four formerly used to carry passengers and mail on regular routes between towns +n04297750 a window made of stained glass +n04297847 a strip of carpet for laying on stairs +n04298053 a rod that holds a stair-carpet in the angle between two steps +n04298661 a vertical well around which there is a stairway +n04298765 a strong wooden or metal post with a point at one end so it can be driven into the ground +n04299215 a booth where articles are displayed for sale +n04299370 a compartment in a stable where a single animal is confined and fed +n04299963 a block or die used to imprint a mark or design +n04300358 a mill in which ore is crushed with stamps +n04300509 a power tool that stamps +n04300643 any vertical post or rod used as a support +n04301000 a small table for holding articles of various kinds +n04301242 an upright pole or beam (especially one used as a support) +n04301474 a primary cell used as a standard of electromotive force +n04301760 a transmission that is operated manually with a gear lever and a clutch pedal +n04302200 a large printing press that exerts pressure vertically +n04302863 a light open horse-drawn carriage with two or four wheels and one seat +n04302988 a steam-powered automobile +n04303095 paper fastener consisting of a short length of U-shaped wire that can fasten papers together +n04303258 a short U-shaped wire nail for securing cables +n04303357 a hand-held machine for driving staples home +n04303497 a machine that inserts staples into sheets of paper in order to fasten them together +n04304215 a spacecraft designed to carry a crew into interstellar space (especially in science fiction) +n04304375 an electric motor for starting an engine +n04304680 a movable barrier on the starting line of a race course +n04305016 an electric furnace in which an electric arc provides the source of heat for making steel +n04305210 a government building in which a state legislature meets +n04305323 a mansion that is (or formerly was) occupied by an aristocratic family +n04305471 a prison maintained by a state of the U.S. +n04305572 a guest cabin +n04305947 a measuring instrument used to measure static pressure in a stream of fluid +n04306080 a facility equipped with special equipment and personnel for a particular purpose +n04306592 mechanical device consisting of the stationary part of a motor or generator in or around which the rotor revolves +n04306847 a sculpture representing a human or animal +n04307419 (nautical) brace consisting of a heavy rope or wire cable used as a support for a mast or spar +n04307767 a fore-and-aft sail set on a stay (as between two masts) +n04307878 a restaurant that specializes in steaks +n04307986 a sharp table knife used in eating steak +n04308084 an aircraft designed in accordance with technology that makes detection by radar difficult +n04308273 a bomber that is difficult to detect by radar +n04308397 a fighter that is difficult to detect by radar; is built for precise targeting and uses laser-guided bombs +n04308583 a room that can be filled with steam in which people bathe; `vapour bath' is a British term +n04308807 a boat propelled by a steam engine +n04308915 the chamber from which steam is distributed to a cylinder +n04309049 external-combustion engine in which heat is used to raise steam which either turns a turbine or forces a piston to move up and down in a cylinder +n04309348 a ship powered by one or more steam engines +n04309548 a cooking utensil that can be used to cook food by steaming it +n04309833 a pressing iron that can emit steam +n04310018 a locomotive powered by a steam engine +n04310157 vehicle equipped with heavy wide smooth rollers for compacting roads and pavements +n04310507 a power shovel that is driven by steam +n04310604 turbine in which steam strikes blades and makes them turn +n04310721 a whistle in which the sound is produced by steam; usually attached to a steam boiler +n04310904 knife sharpener consisting of a ridged steel rod +n04311004 a steel bridge constructed in the form of an arch +n04311174 a concave percussion instrument made from the metal top of an oil drum; has an array of flattened areas that produce different tones when struck (of Caribbean origin) +n04311595 a factory where steel is made +n04312020 abrader consisting of a pad of steel wool used for polishing or smoothing +n04312154 a portable balance consisting of a pivoted bar with arms of unequal length +n04312432 a tall tower that forms the superstructure of a building (usually a church or temple) and that tapers to a point at the top +n04312654 the cheapest accommodations on a passenger ship +n04312756 a gear that couples the steering wheel to the steering linkage of a motor vehicle +n04312916 mechanism consisting of a system of rods and levers connected to the front wheels of a motor vehicle; the steering gear pushes it left or right which swivels the front wheels, causing the vehicle to turn +n04313220 a mechanism by which something is steered (especially a motor vehicle) +n04313503 a handwheel that is used for steering +n04313628 an ancient upright stone slab bearing markings +n04314107 a watch that is wound by turning a knob at the stem +n04314216 a sheet of material (metal, plastic, cardboard, waxed paper, silk, etc.) that has been perforated with a pattern (printing or a design); ink or paint can pass through the perforations to create the printed pattern on the surface below +n04314522 a lightweight British submachine gun +n04314632 a machine for typewriting shorthand characters +n04314914 support consisting of a place to rest the foot while ascending or descending a stairway +n04315342 a transformer that reduces voltage +n04315713 a stool that has one or two steps that fold under the seat +n04315828 a transformer that increases voltage +n04315948 reproducer in which two microphones feed two or more loudspeakers to give a three-dimensional effect to the sound +n04316498 an optical device for viewing stereoscopic photographs +n04316815 a naval gun able to fire astern at a ship in chase +n04316924 (nautical) the principal upright timber at the stern of a vessel +n04317063 a paddle steamer having the paddle wheel in the stern +n04317175 a medical instrument for listening to the sounds generated inside the body +n04317325 a saucepan used for stewing +n04317420 an implement consisting of a length of wood +n04317833 a long thin implement resembling a length of wood +n04317976 a lever used by a pilot to control the ailerons and elevators of an airplane +n04318131 a long implement (usually made of wood) that is shaped so that hockey or polo players can hit a puck or ball +n04318787 an upright that is a member in a door or window frame +n04318892 a small dagger with a tapered blade +n04318982 an apparatus used for the distillation of liquids; consists of a vessel in which a substance is vaporized by heat and a condenser where the vapor is condensed +n04319545 a pantry or storeroom connected with the kitchen (especially in a large house) for preparing tea and beverages and for storing liquors and preserves and tea etc +n04319774 a large pipe wrench with L-shaped adjustable jaws that tighten as pressure on the handle is increased +n04319937 one of two stout poles with foot rests in the middle; used for walking high above the ground +n04320405 a portable low altitude surface-to-air missile system using infrared guidance and an impact fuse; fired from the shoulder +n04320598 a small bomb designed to give off a foul odor when it explodes +n04320871 an implement used for stirring +n04320973 support consisting of metal loops into which rider's feet go +n04321121 a hand-operated reciprocating pump; used in fighting fires +n04321453 a short straight stick of wood +n04322026 the handle of a handgun or the butt end of a rifle or shotgun or part of the support of a machine gun or artillery gun +n04322531 fortification consisting of a fence made of a line of stout posts set firmly for defense +n04322692 boxcar with latticed sides; for transporting livestock +n04322801 a racing car with the basic chassis of a commercially available car +n04323519 knit used especially for infants' wear and undergarments +n04323819 close-fitting hosiery to cover the foot and leg; come in matched pairs (usually used in the plural) +n04324120 any equipment constantly used as part of a profession or occupation +n04324297 a pot used for preparing soup stock +n04324387 storeroom for storing goods and supplies used in a business +n04324515 a former instrument of punishment consisting of a heavy timber frame with holes in which the feet (and sometimes the hands) of an offender could be locked +n04325041 an ornamented saddle used by cowboys; has a high horn to hold the lariat +n04325208 enclosed yard where cattle, pigs, horses, or sheep are kept temporarily +n04325704 a wide scarf worn about their shoulders by women +n04325804 garment consisting of a V-shaped panel of stiff material worn over the chest and stomach in the 16th century +n04325968 a suction pump used to remove the contents of the stomach +n04326547 a fence built of rough stones; used to separate fields +n04326676 ceramic ware that is fired in high heat and vitrified and nonporous +n04326799 masonry done with stone +n04326896 a simple seat without a back or arms +n04327204 small porch or set of steps at the front entrance of a house +n04327544 an acid bath used to stop the action of a developer +n04327682 faucet consisting of a rotating device for regulating flow of a liquid +n04328054 a knot that prevents a rope from passing through a hole +n04328186 a timepiece that can be started or stopped for exact timing (as of a race) +n04328329 a voltaic battery that stores electric charge +n04328580 a cell that can be recharged +n04328703 container consisting of a set of magnets set in a doughnut-shaped ring around which charged particles from an accelerator can be kept circulating until they are used +n04328946 the area in any structure that provides space for storage +n04329477 a room in which things are stored +n04329681 an underground shelter where you can go until a storm passes +n04329834 an extra outer door for protection against severe weather or winter +n04329958 a window outside an ordinary window to protect against severe weather or winter +n04330109 basin for holy water +n04330189 an archaic drinking vessel +n04330267 any heating apparatus +n04330340 a kitchen appliance used for cooking food +n04330669 a small machine bolt +n04330746 chimney consisting of a metal pipe of large diameter that is used to connect a stove to a flue +n04330896 plate iron that is thinner than tank iron +n04330998 a violin made by Antonio Stradivari or a member of his family +n04331277 a straight-backed chair without arms +n04331443 hand tool consisting of a flat rigid rectangular bar (metal or wood) that can be used to draw straight lines (or test their straightness) +n04331639 a device for straightening +n04331765 a rock drill with flutes that are straight +n04331892 pin consisting of a short straight stiff piece of wire with a pointed end; used to fasten pieces of cloth or paper together +n04332074 a razor with a straight cutting edge enclosed in a case that forms a handle when the razor is opened for use +n04332243 a filter to retain larger pieces while smaller pieces and liquids pass through +n04332580 a garment similar to a jacket that is used to bind the arms tightly against the body as a means of restraining a violent person +n04332987 whip consisting of a strip of leather used in flogging +n04333129 an elongated leather strip (or a strip of similar material) for binding things together or holding something in position +n04333869 a hinge with two long straps; one strap is fastened to the surface of a moving part (e.g., a door or lid) and the other is fastened to the adjacent stationary frame +n04334105 a woman's garment that exposes the shoulders and has no shoulder straps +n04334365 an artificial fly that has wings extending back beyond the crook of the fishhook +n04334504 a streamlined train +n04334599 a thoroughfare (usually including sidewalks) that is lined with buildings +n04335209 the part of a thoroughfare between the sidewalks; the part of the thoroughfare on which vehicles travel +n04335435 a wheeled vehicle that runs on rails and is propelled by electricity +n04335693 ordinary clothing suitable for public appearances (as opposed to costumes or sports apparel or work clothes etc.) +n04335886 a lamp supported on a lamppost; for illuminating a street +n04336792 a litter for transporting people who are ill or wounded or dead; usually consists of a sheet of canvas stretched between two poles +n04337157 a wooden framework on which canvas is stretched and fixed for oil painting +n04337287 trousers made of a stretchy fabric +n04337503 a tool or rod used to level off grain or other granular material that is heaped in a measure +n04337650 an implement for sharpening scythes +n04338517 a musical instrument in which taut strings provide the source of sound +n04338963 a long horizontal timber to connect uprights +n04339062 brace consisting of a longitudinal member to strengthen a fuselage or hull +n04339191 a very narrow necktie usually tied in a bow +n04339638 thin piece of wood or metal +n04339879 light consisting of long tubes (instead of bulbs) that provide the illumination +n04340019 a mercantile establishment consisting of a row of various stores and business and restaurants along a road or busy street; usually opening on a parking lot +n04340521 scientific instrument that provides a flashing light synchronized with the periodic movement of an object; can make moving object appear stationary +n04340750 a strongly made box for holding money or valuables; can be locked +n04340935 a strongly fortified defensive structure +n04341133 a burglarproof and fireproof room in which valuables are kept +n04341288 a leather strap used to sharpen razors +n04341414 support that is a constituent part of any structure or building +n04341686 a thing constructed; a complex entity constructed of many parts +n04343511 a center for student activities at a college or university +n04343630 a reading lamp with a flexible neck; used on a desk +n04343740 a building on a college campus dedicated to social and organizational activities of the student body +n04344003 a small permanent magnet in a metal container; when the magnet clicks against the container it indicates that the magnet is directly over an iron nail that holds the wallboard to a stud +n04344734 an apartment with a living space and a bathroom and a small kitchen +n04344873 convertible consisting of an upholstered couch that can be converted into a double bed +n04345028 a room used for reading and writing and studying +n04345201 a classroom reserved for study +n04345787 a nut used to tighten a stuffing box +n04346003 (cricket) any of three upright wooden posts that form the wicket +n04346157 a weapon designed to disable a victim temporarily by delivering a nonlethal high-voltage electric shock +n04346328 a dome-shaped shrine erected by Buddhists +n04346428 a pen for swine +n04346511 a pointed tool for writing or drawing or engraving +n04346679 a sharp pointed device attached to the cartridge of a record player +n04346855 a unit assembled separately but designed to fit with other units in a manufactured product +n04347119 a car smaller than a compact car +n04347519 machine gun that is a portable automatic firearm +n04347754 a submersible warship usually armed with torpedoes +n04348070 a torpedo designed to be launched from a submarine +n04348184 a warship designed to operate under water +n04348359 an apparatus intended for use under water +n04348988 a machine that subtracts numbers +n04349189 a token that is used to pay for entry to the subway system +n04349306 a train that runs in a subway system +n04349401 a loudspeaker that is designed to reproduce very low bass frequencies +n04349913 a cup-shaped device (made of rubber, glass, or plastic) that produces a partial vacuum; used to adhere or draw something to a surface +n04350104 a pump for raising fluids by suction +n04350235 a bathhouse for hot air baths or steam baths +n04350458 a fabric made to resemble suede leather +n04350581 a dish in which sugar is served +n04350688 a refinery for sugar +n04350769 a spoon for serving sugar; often made in the shape of a seashell +n04350905 a set of garments (usually including a jacket and trousers or skirt) for outerwear all of the same fabric and color +n04351550 apartment consisting of a series of connected rooms used as a living unit (as in a hotel) +n04351699 a fabric used for suits +n04353573 a light two-wheeled vehicle for one person; drawn by one horse +n04354026 a country house (usually located in the country) that provides a cool place to live in the summer +n04354182 the circular ring in which Sumo wrestlers compete +n04354387 an oil reservoir in an internal combustion engine +n04354487 a suction pump for removing liquid from a sump +n04354589 a large bonnet that shades the face; worn by girls and women +n04355115 the best attire you have which is worn to church on Sunday +n04355267 an unroofed deck +n04355338 timepiece that indicates the daylight hours by the shadow that the gnomon casts on a calibrated dial +n04355511 a light loose sleeveless summer dress with a wide neckline and thin shoulder straps that expose the arms and shoulders +n04355684 miscellaneous objects too numerous or too small to be specified +n04355821 the central gear in an epicyclic train +n04355933 a convex lens that focuses the rays of the sun; used to start a fire +n04356056 spectacles that are darkened or polarized to protect the eyes from the glare of the sun +n04356595 a hat with a broad brim that protects the face from direct exposure to the sun +n04356772 a mercury-vapor lamp used in medical or cosmetic treatments +n04356925 a room enclosed largely with glass and affording exposure to the sun +n04357121 an automobile roof having a sliding or raisable panel +n04357314 a cream spread on the skin; contains a chemical (as PABA) to filter out ultraviolet light and so protect from sunburn +n04357531 a child's garment consisting of a brief top and shorts +n04357930 compressor that forces increased oxygen into the cylinders of an internal-combustion engine +n04358117 a mainframe computer that is one of the most powerful available at a given time +n04358256 a collider that operates at very low temperatures +n04358491 an extensive electronic network (such as the internet) used for the rapid transfer of sound and video and graphics in digital form +n04358707 a large self-service grocery store selling groceries and dairy products and household goods +n04358874 structure consisting of the part of a ship above the main deck +n04359034 the largest class of oil tankers +n04359124 usually a small luxurious nightclub +n04359217 walking stick made from the wood of an American tropical vine +n04359335 a mechanical device for holding something and supplying it as needed +n04359500 a closet for storing supplies +n04359589 any device that bears the weight of another thing +n04360501 supporting structure that holds up or provides a foundation +n04360798 a column that supports a heavy weight +n04360914 elasticized stocking intended to reduce pressure on the veins of the leg (as in case of varicose veins) +n04361095 a structure that serves to support something +n04361260 a tower that serves to support something +n04361937 a tunic worn over a knight's armor +n04362624 gauge consisting of a scriber mounted on an adjustable stand; used to test the accuracy of plane surfaces +n04362821 a ski tow that pulls skiers up a slope without lifting them off the ground +n04362972 a naval radar to search for surface targets +n04363082 a warship that operates on the surface of the water +n04363210 a guided missile fired from land or shipboard against an airborne target +n04363412 the shipboard system that fires missiles at aircraft +n04363671 a boat that can be launched or landed in heavy surf +n04363777 a loose outer coat usually of rich material +n04363874 any of several knots used in tying stitches or ligatures +n04363991 a room where a doctor or dentist can be consulted +n04364160 electrical device inserted in a power line to protect equipment from sudden fluctuations in current +n04364397 a loosely woven cotton dressing for incisions made during surgery +n04364545 a medical instrument used in surgery +n04364827 a very sharp knife used in surgery +n04364994 a loose-fitting white ecclesiastical vestment with wide sleeves +n04365112 a light four-wheeled horse-drawn carriage; has two or four seats +n04365229 a man's overcoat in the style of a frock coat +n04365328 a closed-circuit television system used to maintain close observation of a person or group +n04365484 an instrument used by surveyors +n04365751 surveying instrument consisting basically of a small telescope with an attached spirit level rotating around a vertical axis; for measuring relative heights of land +n04366033 a bar where sushi is served +n04366116 a mechanical system of springs or shock absorbers connecting the wheels and axles to the chassis of a wheeled vehicle +n04366367 a bridge that has a roadway supported by cables that are anchored at both ends +n04366832 a bandage of elastic fabric applied to uplift a dependant part (as the scrotum or a pendulous breast) +n04367011 a pedal on a piano that lifts the dampers from the strings and so allows them to continue vibrating +n04367371 a seam used in surgery +n04367480 cleaning implement consisting of absorbent material fastened to a handle; for cleaning floors +n04367746 implement consisting of a small piece of cotton that is used to apply medication or cleanse a wound or obtain a specimen of a secretion +n04367950 a garment (a gown or narrow strips of cloth) for an infant +n04368109 a bundle containing the personal belongings of a swagman +n04368235 an iron block cut with holes and grooves to assist in cold working metal +n04368365 a short cane or stick covered with leather and carried by army officers +n04368496 a man's full-dress jacket with two long tapering tails at the back +n04368695 an amphibious vehicle typically having four-wheel drive and a raised body +n04368840 soft woolen fabric used especially for baby clothes +n04369025 an enveloping bandage +n04369282 an implement with a flat part (of mesh or plastic) and a long handle; used to kill insects +n04369485 a porous bag (usually of canvas) that holds water and cools it by evaporation +n04369618 a band of fabric or leather sewn inside the crown of a hat +n04370048 a crocheted or knitted garment covering the upper part of the body +n04370288 loose-fitting trousers with elastic cuffs; worn by athletes +n04370456 cotton knit pullover with long sleeves worn during athletic activity +n04370600 factory where workers do piecework for poor pay and are prevented from forming unions; common in the clothing industry +n04370774 garment consisting of sweat pants and a sweatshirt +n04370955 a long oar used in an open boat +n04371050 a second hand that is mounted on the same center as the hour and minute hand and is read on the minutes +n04371430 swimsuit worn by men while swimming +n04371563 tight fitting garment worn for swimming +n04371774 mechanical device used as a plaything to support someone swinging back and forth +n04371979 a door that swings on a double hinge; opens in either direction +n04372370 control consisting of a mechanical or electrical or electronic device for making or breaking or changing the connections in a circuit +n04373089 a pocketknife with a blade that springs open at the press of a button +n04373428 a locomotive for switching rolling stock in a railroad yard +n04373563 a coupling (as in a chain) that has one end that turns on a headed pin +n04373704 a chair that swivels on its base +n04373795 a small stick used to stir mixed drinks +n04373894 a cutting or thrusting weapon that has a long metal blade and a hilt with a hand guard +n04374315 a cane concealing a sword or dagger +n04374521 a wrench with an S-shaped handle +n04374735 (Judaism) the place of worship for a Jewish congregation +n04374907 cyclotron that achieves relativistic velocities by modulating the frequency of the accelerating electric field +n04375080 a device used in photography to synchronize the peak of a flash with the opening of the camera shutter +n04375241 an automotive system for shifting gears in which the gears revolve at the same speed and so shift smoothly +n04375405 electrical converter consisting of a synchronous machine that converts alternating to direct current or vice versa +n04375615 electric motor in which the speed of rotation is proportional to the frequency of the A.C. power +n04375775 cyclotron in which the electric field is maintained at a constant frequency +n04375926 an instrument that indicates whether two periodic motions are synchronous (especially an instrument that enables a pilot to synchronize the propellers of a plane that has two or more engines) +n04376400 (music) an electronic instrument (usually played with a keyboard) that generates and modifies sounds electronically and can imitate a variety of other musical instruments +n04376876 a medical instrument used to inject or withdraw fluids +n04377057 instrumentality that combines interrelated interacting artifacts designed to work as a coherent entity +n04378489 a short sleeveless outer tunic emblazoned with a coat of arms; worn by a knight over his armor or by a herald +n04378651 (Judaism) a portable sanctuary in which the Jews carried the Ark of the Covenant on their exodus +n04378956 a sock with a separation for the big toe; worn with thong sandals by the Japanese +n04379096 the key on a typewriter or a word processor that causes a tabulation +n04379243 a piece of furniture having a smooth flat top that is usually supported by one or more vertical legs +n04379964 a piece of furniture with tableware for a meal laid out on it +n04380255 a fork for eating at a dining table +n04380346 a knife used for eating at dining table +n04380533 a lamp that sits on a table +n04380916 a circular saw mounted under a table or bench so that the blade of the saw projects up through a slot +n04381073 a spoon larger than a dessert spoon; used for serving +n04381450 a chair with an arm that has been widened for writing +n04381587 a table used for playing table tennis +n04381724 paddle used to play table tennis +n04381860 the top horizontal work surface of a table +n04381994 articles for use at the table (dishes and silverware and glassware) +n04382334 a small drum with one head of soft calfskin +n04382438 a low stool in the shape of a drum +n04382537 scientific instrument used by psychologists; presents visual stimuli for brief exposures +n04382695 a tachometer that produces a graphical record of its readings; used to record the speed and duration of trips in a motor vehicle +n04382880 measuring instrument for indicating speed of rotation +n04383015 a theodolite designed for rapid measurements +n04383130 a short nail with a sharp point and a large head +n04383301 a light hammer that is used to drive tacks +n04383839 a crisp smooth lustrous fabric +n04383923 the railing around the stern of a ship +n04384593 a gate at the rear of a vehicle; can be lowered for loading +n04384910 lamp (usually red) mounted at the rear of a motor vehicle +n04385079 custom-made clothing +n04385157 chalk used by tailors to make temporary marks on cloth +n04385536 a pipe carrying fumes from the muffler to the rear of a car +n04385799 rotor consisting of a rotating airfoil on the tail of a single-rotor helicopter; keeps the helicopter from spinning in the direction opposite to the rotation of the main rotor +n04386051 support consisting of the movable part of a lathe that slides along the bed in alignment with the headstock and is locked into position to support the free end of the workpiece +n04386456 any of various devices for reducing slack (as in a sewing machine) or taking up motion (as in a loom) +n04386664 a winged sandal (as worn by Hermes in Graeco-Roman art) +n04386792 a toilet powder made of purified talc and usually scented; absorbs excess moisture +n04387095 a woolen cap of Scottish origin +n04387201 a drum +n04387261 a frame made of two hoops; used for embroidering +n04387400 a shallow drum with a single drumhead and with metallic disks in the sides +n04387531 plain-woven (often glazed) fabric of wool or wool and cotton used especially formerly for linings and garments and curtains +n04387706 a tool for tamping (e.g., for tamping tobacco into a pipe bowl or a charge into a drill hole etc.) +n04387932 tampon used to absorb menstrual flow +n04388040 plug for the muzzle of a gun to keep out dust and moisture +n04388162 plug of cotton or other absorbent material; inserted into wound or body cavity to absorb exuded fluids (especially blood) +n04388473 a clay oven used in northern India and Pakistan +n04388574 a Chinese puzzle consisting of a square divided into seven pieces that must be arranged to match particular designs +n04388743 a large (usually metallic) vessel for holding gases or liquids +n04389033 an enclosed armored military vehicle; has a cannon and moves on caterpillar treads +n04389430 large drinking vessel with one handle +n04389521 a freight car that transports liquids or gases in bulk +n04389718 an armored vehicle equipped with an antitank gun and capable of high speeds +n04389854 a locomotive that carries its own fuel and water; no tender is needed +n04389999 an airplane constructed to transport chemicals that can be dropped in order to fight a forest fire +n04390483 a shell fired by the cannon on a tank +n04390577 a tight-fitting sleeveless shirt with wide shoulder straps and low neck and no front opening; often worn over a shirt or blouse +n04390873 a loudspeaker +n04390977 a plug for a bunghole in a cask +n04391445 a paperlike cloth made in the South Pacific by pounding tapa bark +n04391838 a recording made on magnetic tape +n04392113 measuring instrument consisting of a narrow strip (cloth or metal) marked in inches or centimeters and used for measuring lengths +n04392526 electronic equipment for making or playing magnetic tapes (but without amplifiers or speakers); a component in an audio system +n04392764 a mechanism that transports magnetic tape across the read/write heads of a tape playback/recorder +n04392985 electronic equipment for playing back magnetic tapes +n04393095 a magnetic recorder using magnetic tape +n04393301 a file with converging edges +n04393549 a heavy textile with a woven design; used for curtains and upholstery +n04393808 a lever that is moved in order to tap something else +n04393913 a wrench for turning a tap to create an internal screw thread +n04394031 (chemical analysis) a counterweight used in chemical analysis; consists of an empty container that counterbalances the weight of the container holding chemicals +n04394261 sports equipment consisting of an object set up for a marksman or archer to aim at +n04394421 a shipboard system for the detection and identification and location of a target with enough detail to permit effective weapon employment +n04394630 a paved surface having compressed layers of broken rocks held together with tar +n04395024 waterproofed canvas +n04395106 a cloth having a crisscross design +n04395332 one of two pieces of armor plate hanging from the fauld to protect the upper thighs +n04395651 a design on the skin made by tattooing +n04395875 a building with a bar that is licensed to sell alcoholic drinks +n04396226 a leather strap for punishing children +n04396335 a meter in a taxi that registers the fare (based on the length of the ride) +n04396650 a surface lift where riders hold a bar and are pulled up the hill on their skis +n04396808 small paper bag holding a measure of tea +n04396902 a kitchen utensil consisting of a perforated metal ball for making tea +n04397027 serving cart for serving tea or light refreshments +n04397168 chest for storing or transporting tea +n04397261 materials and equipment used in teaching +n04397452 a cup from which tea is drunk +n04397645 a long loose-fitting gown formerly popular for wear at afternoon tea +n04397768 kettle for boiling water to make tea +n04397860 a covered spoon with perforations +n04398044 pot for brewing tea; usually has a spout and handle +n04398497 a restaurant where tea and light meals are available +n04398688 a small spoon used for stirring tea or coffee; holds about one fluid dram +n04398834 a device to keep back tea leaves when pouring a cup of tea +n04398951 a small table for serving afternoon tea +n04399046 a tray that accommodates a tea service +n04399158 an urn in which tea is brewed and from which it is served +n04399382 plaything consisting of a child's toy bear (usually plush and stuffed with soft materials) +n04399537 a short peg put into the ground to hold a golf ball off the ground +n04399846 a hinge that looks like the letter T when it is opened; similar to a strap hinge except that one strap has been replaced by half of a butt hinge that can be mortised flush into the stationary frame +n04400109 a building that houses telecommunications equipment +n04400289 a communication system for communicating at a distance +n04400499 apparatus used to communicate at a distance over a wire (usually in Morse code) +n04400737 key consisting of a lever that sends a telegraph signal when it is depressed and the circuit is closed +n04400899 any scientific instrument for observing events at a distance and transmitting the information back to the observer +n04401088 electronic equipment that converts sound into electrical signals that can be transmitted over distances and then converts received signals back into sounds +n04401578 electric bell that rings to signal a call +n04401680 booth for using a telephone +n04401828 the telephone wire that connects to the handset +n04401949 a jack for plugging in a telephone +n04402057 a telephone connection +n04402342 a plug for connecting a telephone +n04402449 tall pole supporting telephone wires +n04402580 earphone that converts electrical signals into sounds +n04402746 a communication system that transmits sound between distant points +n04402984 the wire that carries telegraph and telephone signals +n04403413 a camera lens that magnifies the image +n04403524 a prompter for television performers +n04403638 a magnifier of images of distant objects +n04403925 gunsight consisting of a telescope on a firearm for use as a sight +n04404072 a thermometer that registers the temperature at some distant point +n04404200 a character printer connected to a telegraph that operates like a typewriter +n04404412 a telecommunication system that transmits images of objects (stationary or moving) between distant points +n04404817 an omnidirectional antenna tuned to the broadcast frequencies assigned to television +n04404997 television equipment consisting of a lens system that focuses an image on a photosensitive mosaic that is scanned by an electron beam +n04405540 electronic equipment that broadcasts or receives electromagnetic waves representing images and sound +n04405762 monitor used in a studio for monitoring the program being broadcast +n04405907 an electronic device that receives television signals and displays them on a screen +n04406239 a room set aside for viewing television +n04406552 transmitter that is part of a television system +n04406687 one of the conveyances (or cars) in a telpherage +n04406817 a transportation system in which cars (telphers) are suspended from cables and operated on electricity +n04407257 pigment mixed with water-soluble glutinous materials such as size and egg yolk +n04407435 place of worship consisting of an edifice for the worship of a deity +n04407686 an edifice devoted to special or exalted purposes +n04408871 a connection intended to be used for a limited time +n04409011 ship that usually provides supplies to other ships +n04409128 a boat for communication between ship and shore +n04409279 car attached to a locomotive to carry fuel and water +n04409384 a run-down apartment house barely meeting minimal standards +n04409515 ball about the size of a fist used in playing tennis +n04409625 a camp where tennis is taught +n04409806 a racket used to play tennis +n04409911 a projection at the end of a piece of wood that is shaped to fit into a mortise and form a mortise joint +n04410086 any of various drums with small heads +n04410365 a tenor bassoon; pitched a fifth higher than the ordinary bassoon +n04410485 a nail 3 inches long +n04410565 one of the bottle-shaped pins used in bowling +n04410663 a manometer for measuring vapor pressure +n04410760 a measuring instrument for measuring the surface tension of a liquid +n04410886 a measuring instrument for measuring the tension in a wire or fiber or beam +n04411019 a measuring instrument for measuring the moisture content of soil +n04411264 a portable shelter (usually of canvas stretched over supporting poles and fastened to the ground with ropes and pegs) +n04411835 a framework with hooks used for stretching and drying cloth +n04411966 one of a series of hooks used to hold cloth on a tenter +n04412097 flap consisting of a piece of canvas that can be drawn back to provide entrance to a tent +n04412300 a peg driven into the ground to hold a rope supporting a tent +n04412416 a Native American tent; usually of conical shape +n04413151 a contact on an electrical device (such as a battery) at which electric current enters or leaves +n04413419 electronic equipment consisting of a device providing access to a computer; has a keyboard and display +n04413969 a house that is part of a terrace +n04414101 a hard unglazed brownish-red earthenware +n04414199 a vivarium in which selected living plants are kept and observed +n04414319 earthenware made from the reddish-brown clay found on the Aegean island of Lemnos +n04414476 a pile fabric (usually cotton) with uncut loops on both sides; used to make bath towels and bath robes +n04414675 a step-up transformer with an air core; used to produce high voltages at high frequencies +n04414909 a small square tile of stone or glass used in making mosaics +n04415257 equipment required to perform a test +n04415663 a rocket fired for test purposes +n04415815 a room in which tests are conducted +n04416005 a movable protective covering that provided protection from above; used by Roman troops when approaching the walls of a besieged fortification +n04416901 a figure consisting of four stylized human arms or legs (or bent lines) radiating from a center +n04417086 a thermionic tube having four electrodes +n04417180 a machine for making textiles +n04417361 a factory for making textiles +n04417672 a house roof made with a plant material (as straw) +n04417809 a building where theatrical performances or motion-picture shows can be presented +n04418357 a hanging cloth that conceals the stage from the view of the audience; rises or parts at the beginning and descends or closes between acts and at the end of a performance +n04418644 any of various lights used in a theater +n04419073 a surveying instrument for measuring horizontal and vertical angles, consisting of a small telescope mounted on a tripod +n04419642 an electronic musical instrument; melodies can be played by moving the right hand between two rods that serve as antennas to control pitch; the left hand controls phrasing +n04419868 a printer that produces characters by applying heat to special paper that is sensitive to heat +n04420024 a nuclear reactor in which nuclear fissions are caused by neutrons that are slowed down by a moderator +n04420720 a kind of thermometer consisting of two wires of different metals that are joined at both ends; one junction is at the temperature to be measured and the other is held at a fixed lower temperature; the current generated in the circuit is proportional to the temperature difference +n04421083 a thermometer that uses thermoelectric current to measure temperature +n04421258 a thermometer that records temperature variations on a graph as a function of time +n04421417 medical instrument that uses an infrared camera to reveal temperature variations on the surface of the body +n04421582 a hydrometer that includes a thermometer +n04421740 a junction between two dissimilar metals across which a voltage appears +n04421872 measuring instrument for measuring temperature +n04422409 a nuclear reactor that uses controlled nuclear fusion to generate energy +n04422566 a kind of thermometer for measuring heat radiation; consists of several thermocouple junctions in series +n04422727 vacuum flask that preserves temperature of hot or cold drinks +n04422875 a regulator for automatically regulating temperature by starting or stopping the supply of heat +n04423552 protective garment consisting of a pad worn over the thighs by football players +n04423687 one of two shafts extending from the body of a cart or carriage on either side of the animal that pulls it +n04423845 a small metal cap to protect the finger while sewing; can be used as a small container +n04424692 shears with one serrate blade; used for thinning hair +n04425804 the base that must be touched third by a base runner in baseball +n04425977 the third from the lowest forward ratio gear in the gear box of a motor vehicle +n04426184 a rail through which electric current is supplied to an electric locomotive +n04426316 a thin strip of leather; often used to lash things together +n04426427 underpants resembling a G-string; worn by women especially under very tight pants +n04427216 a round arch whose inner curve is drawn with circles having three centers +n04427473 any ship having three decks +n04427559 radar that will report altitude as well as azimuth and distance of a target +n04427715 a business suit consisting of a jacket and vest and trousers +n04427857 the spine and much of the sides are a different material from the rest of the cover +n04428008 an electric switch that has three terminals; used to control a circuit from two different locations +n04428191 a farm machine for separating seeds or grain from the husks and straw +n04428382 a floor or ground area for threshing or treading out grain +n04428634 a shop that sells secondhand goods at reduced prices +n04429038 protective garment worn by hockey goalkeeper and catcher in baseball +n04429376 the chair of state for a monarch, bishop, etc. +n04430475 a bearing designed to take thrusts parallel to the axis of revolution +n04430605 a small rocket engine that provides the thrust needed to maneuver a spacecraft +n04430896 the part of a glove that provides a covering for the thumb +n04431025 a finger hole made to fit the thumb (as in a bowling ball) +n04431436 screw designed to be turned with the thumb and fingers +n04431648 protective covering for an injured thumb +n04431745 a tack for attaching papers to a bulletin board or drawing board +n04431925 a noisemaker that makes a sound like thunder +n04432043 a crosspiece spreading the gunnels of a boat; used as a seat in a rowboat +n04432203 a jeweled headdress worn by women on formal occasions +n04432662 a strong fabric used for mattress and pillow covers +n04432785 a small coil in series with the anode of a vacuum tube and coupled to the grid to provide feedback +n04433377 a horizontal beam used to prevent two other structural members from spreading apart or separating +n04433585 one of the cross braces that support the rails on a railway track +n04434207 a rack for storing ties +n04434531 either of two rods that link the steering gear to the front wheels +n04434932 skintight knit hose covering the body from the waist to the feet worn by acrobats and dancers and as stockings by women and girls +n04435180 a flat thin rectangular slab (as of fired clay or rubber or linoleum) used to cover surfaces +n04435552 a cutter (tool for cutting) for floor tiles +n04435653 a roof made of fired clay tiles +n04435759 lever used to turn the rudder on a boat +n04435870 a device for emptying a cask by tilting it without disturbing the dregs +n04436012 a pedestal table whose top is hinged so that it can be tilted to a vertical position +n04436185 a beam made of wood +n04436329 a post made of wood +n04436401 a hitch used to secure a rope to a log or spar; often supplemented by a half hitch +n04436542 small hand drum similar to a tambourine; formerly carried by itinerant jugglers +n04436832 a bomb that has a detonating mechanism that can be set to go off at a particular time +n04436992 container for preserving historical records to be discovered at some future time +n04437276 clock used to record the hours that people work +n04437380 chronoscope for measuring the time difference between two events +n04437670 a fuse made to burn for a given time (especially to explode a bomb) +n04437953 a measuring instrument or device for keeping time +n04438304 a timepiece that measures a time interval and signals its end +n04438507 a regulator that activates or deactivates a mechanism at set times +n04438643 a switch set to operate at a desired time +n04438897 a vessel (box, can, pan, etc.) made of tinplate and used mainly in baking +n04439505 a box for holding tinder +n04439585 prong on a fork or pitchfork or antler +n04439712 foil made of tin or an alloy of tin and lead +n04440597 a woman's fur shoulder cape with hanging ends; often consisting of the whole fur of a fox or marten +n04440963 chain attached to wheels to increase traction on ice or snow +n04441093 hand tool consisting of a lever that is used to force the casing of a pneumatic tire onto a steel wheel +n04441528 a hat (Cockney rhyming slang: `tit for tat' rhymes with `hat') +n04441662 barn originally built to hold tithes paid in kind and common in England +n04441790 an apparatus for performing a titration +n04442312 a kitchen appliance (usually electric) for toasting bread +n04442441 kitchen appliance consisting of a small electric oven for toasting or warming food +n04442582 long-handled fork for cooking or toasting frankfurters or bread etc. (especially over an open fire) +n04442741 a rack for holding slices of toast +n04443164 a pouch for carrying pipe tobacco +n04443257 a shop that sells pipes and pipe tobacco and cigars and cigarettes +n04443433 a long narrow sled without runners; boards curve upward in front +n04443766 a drinking mug in the shape of a stout man wearing a three-cornered hat +n04444121 a bell used to sound an alarm +n04444218 the part of footwear that provides a covering for the toes +n04444749 a protective leather or steel cover for the toe of a boot or shoe, reinforcing or decorating it +n04444953 a small foothold used in climbing +n04445040 a one-piece cloak worn by men in ancient Rome +n04445154 (ancient Rome) a toga worn by a youth as a symbol of manhood and citizenship +n04445327 a fastener consisting of a peg or pin or crosspiece that is inserted into an eye at the end of a rope or a chain or a cable in order to fasten it to something (as another rope or chain or cable) +n04445610 a fastener consisting of a threaded bolt and a hinged spring-loaded toggle; used to fasten objects to hollow walls +n04445782 a joint made by two arms attached by a pivot; used to apply pressure at the two ends by straightening the joint +n04445952 a hinged switch that can assume either of two positions +n04446162 informal terms for clothing +n04446276 a room or building equipped with one or more toilets +n04446844 a waterproof bag for holding bathrooms items (soap and toothpaste etc.) when you are travelling +n04447028 the bowl of a toilet that can be flushed with water +n04447156 a kit for carrying toilet articles while traveling +n04447276 a fine powder for spreading on the body (as after bathing) +n04447443 artifacts used in making your toilet (washing and taking care of your body) +n04447861 the hinged seat on a toilet +n04448070 a perfumed liquid lighter than cologne +n04448185 a doughnut-shaped chamber used in fusion research; a plasma is heated and confined in a magnetic bottle +n04448361 a metal or plastic disk that can be redeemed or used in designated slot machines +n04449290 a booth at a tollgate where the toll collector collects tolls +n04449449 a bridge where toll is charged for crossing +n04449550 a gate or bar across a toll bridge or toll road which is lifted when the toll is paid +n04449700 a telephone line for long-distance calls +n04449966 weapon consisting of a fighting ax; used by North American Indians +n04450133 a .45-caliber submachine gun +n04450243 X-ray machine in which a computer builds a detailed image of a particular plane through an object from multiple X-ray measurements +n04450465 mechanical device consisting of a light balanced arm that carries the cartridge +n04450640 a lotion for cleansing the skin and contracting the pores +n04450749 any of various devices for taking hold of objects; usually have two hinged legs with handles above and pointed hooks below +n04450994 the flap of material under the laces of a shoe or boot +n04451139 a mortise joint made by fitting a projection on the edge of one board into a matching groove on another board +n04451318 a thin depressor used to press the tongue down during an examination of the mouth and throat +n04451636 measuring instrument for measuring tension or pressure (especially for measuring intraocular pressure in testing for glaucoma) +n04451818 an implement used in the practice of a vocation +n04452528 a bag in which tools are carried +n04452615 a box or chest or cabinet for holding hand tools +n04452757 a shed for storing tools +n04452848 something resembling the tooth of an animal +n04453037 one of a number of uniform projections on a gear +n04453156 small brush; has long handle; used to clean teeth +n04453390 pick consisting of a small strip of wood or plastic; used to pick food from between the teeth +n04453666 a garment (especially for women) that extends from the shoulders to the waist or hips +n04453910 covering for a hole (especially a hole in the top of a container) +n04454654 a mast fixed to the head of a topmast on a square-rigged vessel +n04454792 a sail set on a yard of a topgallant mast +n04454908 a garden having shrubs clipped or trimmed into decorative shapes especially of animals +n04455048 headdress consisting of a decorative ribbon or bow worn in the hair +n04455250 the mast next above a lower mast and topmost in a fore-and-aft rig +n04455579 a woman's short coat +n04455652 a sail (or either of a pair of sails) immediately above the lowermost sail of a mast and supported by a topmast +n04456011 a tall white hat with a pouched crown; worn by chefs +n04456115 a light usually carried in the hand; consists of some flammable substance +n04456472 armament consisting of a long cylindrical self-propelled underwater projectile that detonates on contact with a target +n04456734 a small explosive device that is placed on a railroad track and fires when a train runs over it; the sound of the explosion warns the engineer of danger ahead +n04457157 an explosive device that is set off in an oil well (or a gas well) to start or to increase the flow of oil (or gas) +n04457326 small high-speed warship designed for torpedo attacks in coastal waters +n04457474 small destroyer that was the forerunner of modern destroyers; designed to destroy torpedo boats +n04457638 a tube near the waterline of a vessel through which a torpedo is fired +n04457767 converter for transmitting and amplifying torque (especially by hydraulic means) +n04457910 a wrench that has a gauge that indicates the amount of torque being applied +n04458201 a room in which torture is inflicted +n04458633 a tribal emblem consisting of a pillar carved and painted with totemic figures; erected by Indian tribes of the northwest Pacific coast +n04458843 a computer display that enables the user to interact with the computer by touching areas on the screen +n04459018 a small hairpiece to cover partial baldness +n04459122 large open car seating four with folding top +n04459243 inexpensive accommodations on a ship or train +n04459362 a rectangular piece of absorbent cloth (or paper) for drying or wiping +n04459610 any of various fabrics (linen or cotton) used to make towels +n04459773 a rack consisting of one or more bars on which towels can be hung +n04459909 a horizontal bar a few inches from a wall for holding towels +n04460130 a structure taller than its diameter; can stand alone or be attached to a larger building +n04461437 a government building that houses administrative offices of a town government +n04461570 a path along a canal or river used by animals towing boats +n04461696 a truck equipped to hoist and pull wrecked cars (or to remove cars from no-parking zones) +n04461879 a device regarded as providing amusement +n04462011 chest for storage of toys +n04462240 shop where toys are sold +n04462576 a screening device for traces of explosives; used at airline terminals +n04463679 a bar or pair of parallel bars of rolled steel making the railway along which railroad cars or other vehicles can roll +n04464125 a groove on a phonograph recording +n04464615 an electronic device consisting of a rotatable ball in a housing; used to position the cursor and move images on a computer screen +n04464852 a self-propelled vehicle that moves on tracks +n04465050 one of many houses of similar design constructed together on a tract of land +n04465203 housing consisting of similar houses constructed together on a tract of land +n04465358 steam-powered locomotive for drawing heavy loads along surfaces other than tracks +n04465501 a wheeled vehicle with large wheels; used in farming and other applications +n04465666 a truck that has a cab but no body; used for pulling large trailers or vans +n04466871 a lightweight motorcycle equipped with rugged tires and suspension; an off-road motorcycle designed for riding cross country or over unpaved ground +n04467099 a wheeled vehicle that can be pulled by a car or truck and is equipped for occupancy +n04467307 a large transport conveyance designed to be pulled by a truck or tractor +n04467506 a camp where space for house trailers can be rented; utilities are generally provided +n04467665 a truck consisting of a tractor and trailer together +n04467899 the rear edge of an airfoil +n04468005 public transport provided by a line of railway cars coupled together and drawn by a locomotive +n04469003 the track on which trams or streetcars run +n04469251 an adjustable pothook set in a fireplace +n04469514 gymnastic apparatus consisting of a strong canvas sheet attached with springs to a metal frame; used for tumbling +n04469684 a commercial steamer for hire; one having no regular schedule +n04469813 a conveyance that transports passengers or freight in carriers suspended from cables and supported by a series of towers +n04470741 a medicated adhesive pad placed on the skin for absorption of a time released dose of medication into the bloodstream +n04471148 structure forming the transverse part of a cruciform church; crosses the nave at right angles +n04471315 an electrical device by which alternating current of one voltage is changed to another voltage +n04471632 a semiconductor device capable of amplification +n04471912 a telescope mounted on an axis running east and west and used to time the transit of a celestial body across the meridian +n04472243 the gears that transmit power from an automobile engine via the driveshaft to the live axle +n04472563 rotating shaft that transmits rotary motion from the engine to the differential +n04472726 set used to broadcast radio or tv signals +n04472961 a horizontal crosspiece across a window or separating a door from a window over it +n04473108 a window above a door that is usually hinged to a horizontal crosspiece over the door +n04473275 electrical device designed to receive a specific signal and automatically transmit a specific reply +n04473884 a crane for moving material with dispatch as in loading and unloading ships +n04474035 a long truck for carrying motor vehicles +n04474187 a ship for carrying soldiers or military equipment +n04474466 a device in which something (usually an animal) can be caught and penned +n04475309 a hinged or sliding door in a floor or ceiling +n04475411 a swing used by circus acrobats +n04475496 a horizontal beam that extends across something +n04475631 a small lightweight iron that can be carried while traveling +n04475749 a conical fishnet dragged through the water at great depths +n04475900 a long fishing line with many shorter lines and hooks attached to it (usually suspended between buoys) +n04476116 a fishing boat that uses a trawl net or dragnet to catch fish +n04476259 an open receptacle for holding or displaying or serving articles or food +n04476526 table linen consisting of a small cloth for a tray +n04476831 structural member consisting of the horizontal part of a stair or step +n04476972 the part (as of a wheel or shoe) that makes contact with the ground +n04477219 a mill that is powered by men or animals walking on a circular belt or climbing steps +n04477387 an exercise device consisting of an endless belt on which a person can walk or jog without changing place +n04477548 a chest filled with valuables +n04477725 a 16th-century ship loaded with treasure +n04478066 a wooden peg that is used to fasten timbers in shipbuilding; water causes the peg to swell and hold the timbers fast +n04478383 a pointed arch having cusps in the intrados on either side of the apex +n04478512 latticework used to support climbing plants +n04478657 a ditch dug as a fortification having a parapet of the excavated earth +n04479046 a military style raincoat; belted with deep pockets +n04479287 a knife with a double-edged blade for hand-to-hand fighting +n04479405 a drill for cutting circular holes around a center +n04479526 a surgical instrument used to remove sections of bone from the skull +n04479694 sawhorses used in pairs to support a horizontal tabletop +n04479823 a supporting tower used to support a bridge +n04479939 a bridge supported by trestlework +n04480033 a table supported on trestles +n04480141 a supporting structure composed of a system of connected trestles; for a bridge or pier or scaffold e.g. +n04480303 tight-fitting trousers; usually of tartan +n04480527 a balloon sent up to test air currents +n04480853 a percussion instrument consisting of a metal bar bent in the shape of an open triangle +n04480995 any of various triangular drafting instruments used to draw straight lines at specified angles +n04481524 a dining table with couches along three sides in ancient Rome +n04481642 a dining room (especially a dining room containing a dining table with couches along three sides) +n04482177 cocked hat with the brim turned up to form three points +n04482297 a knitted fabric or one resembling knitting +n04482393 a vehicle with three wheels that is moved by foot pedals +n04482975 a spear with three prongs +n04483073 a device that activates or releases or causes something to happen +n04483307 a fast sailboat with 3 parallel hulls +n04483925 a machine that trims timber +n04484024 an arch built between trimmers in a floor (to support the weight of a hearth) +n04484432 a thermionic vacuum tube having three electrodes; fluctuations of the charge on the grid control the flow from cathode to anode which makes amplification possible +n04485082 a three-legged rack used for support +n04485423 art consisting of a painting or carving (especially an altarpiece) on three panels (usually hinged together) +n04485586 a wire stretched close to the ground that activates something (a trap or camera or weapon) when tripped over +n04485750 ancient Greek or Roman galley or warship having three tiers of oars on each side +n04485884 a figure consisting of three stylized human arms or legs (or three bent lines) radiating from a center +n04486054 a monumental archway; usually they are built to commemorate some notable victory +n04486213 a stand with short feet used under a hot dish on a table +n04486322 a three-legged metal stand for supporting a cooking vessel in a hearth +n04486616 a Russian carriage pulled by three horses abreast +n04486934 a fisherman's lure that is used in trolling +n04487081 a passenger bus with an electric motor that draws power from overhead wires +n04487394 a brass instrument consisting of a long tube whose length can be varied by a U-shaped slide +n04487724 any land or sea or air vehicle designed to carry troops +n04487894 ship for transporting troops +n04488202 a case in which to display trophies +n04488427 a long narrow shallow receptacle +n04488530 a garment (or part of a garment) designed for or relating to trousers +n04488742 a cuff on the bottoms of trouser legs +n04488857 a home appliance in which trousers can be hung and the wrinkles pressed out +n04489008 (usually in the plural) a garment extending from the waist to the knee or ankle, covering each leg separately +n04489695 the personal outfit of a bride; clothes and accessories and linens +n04489817 a small hand tool with a handle and flat metal blade; used for scooping or spreading plaster or similar materials +n04490091 an automotive vehicle suitable for hauling +n04491312 a conical squinch +n04491388 a short stout club used primarily by policemen +n04491638 a low bed to be slid under a higher bed +n04491769 luggage consisting of a large strong case used when traveling or for storage +n04491934 puffed breeches of the 16th and 17th centuries usually worn over hose +n04492060 hinged lid for a trunk +n04492157 a telephone line connecting two exchanges directly +n04492375 a framework of beams (rafters, posts, struts) forming a rigid structure that supports a roof or bridge or other structure +n04492749 a bridge supported by trusses +n04493109 a square having a metal ruler set at right angles to another straight piece +n04493259 a square used by draftsmen to draw parallel lines +n04493381 a large open vessel for holding or storing liquids +n04494204 electronic device consisting of a system of electrodes arranged in an evacuated glass or metal envelope +n04495051 a box for storing eatables (especially at boarding school) +n04495183 a detachable yoke of linen or lace worn over the breast of a low-cut dress +n04495310 a bag used for carrying food +n04495450 a candy store in Great Britain +n04495555 a low elliptical or pointed arch; usually drawn from four centers +n04495698 a scarf worn around the head by Muslim women in Malaysia; conceals the hair but not the face +n04495843 a powerful small boat designed to pull or push larger ships +n04496614 a fine (often starched) net used for veils or tutus or gowns +n04496726 a clothes dryer that spins wet clothes inside a cylinder with heated air +n04496872 a glass with a flat bottom but no handle or stem; originally had a round bottom +n04497249 a farm dumpcart for carrying dung; carts of this type were used to carry prisoners to the guillotine during the French Revolution +n04497442 a large cask especially one holding a volume equivalent to 2 butts or 252 gals +n04497570 any of a variety of loose fitting cloaks extending to the hips or knees +n04497801 a metal implement with two prongs that gives a fixed tone when struck; used to tune musical instruments +n04498275 tent that is an Eskimo summer dwelling +n04498389 a traditional Muslim headdress consisting of a long scarf wrapped around the head +n04498523 rotary engine in which the kinetic energy of a moving fluid is converted into mechanical energy by causing a bladed rotor to rotate +n04498873 generator consisting of a steam turbine coupled to an electric generator for the production of electric power +n04499062 large deep serving dish with a cover; for serving soups and stews +n04499300 a steam room where facilities are available for a bath followed by a shower and massage +n04499446 a bath towel with rough loose pile +n04499554 an ornamental knot that resembles a small turban +n04499810 an oblong metal coupling with a swivel at one end and an internal thread at the other into which a threaded rod can be screwed in order to form a unit that can be adjusted for length or tension +n04500060 cooking utensil having a flat flexible part and a long handle; used for turning or serving food +n04500390 workshop where objects are made on a lathe +n04501127 (from 16th to 19th centuries) gates set across a road to prevent passage until a toll had been paid +n04501281 a roasting spit that can be turned +n04501370 a gate consisting of a post that acts as a pivot for rotating arms; set in a passageway for controlling the persons entering +n04501550 a circular horizontal platform that rotates a phonograph record while it is being played +n04501837 a revolving tray placed on a dining table +n04501947 a small tower extending above a building +n04502059 a clock with more than one dial to show the time in all directions from a tower +n04502197 a sweater or jersey with a high close-fitting collar +n04502502 thick woolen fabric used for clothing; originated in Scotland +n04502670 a loudspeaker that reproduces higher audio frequency sounds +n04502851 a .22 caliber firearm (pistol or rifle) +n04502989 a .22-caliber pistol +n04503073 a .22-caliber rifle +n04503155 a cloth with parallel diagonal lines or ribs +n04503269 a weave used to produce the effect of parallel diagonal ribs +n04503413 one of a pair of identical beds +n04503499 a jet plane propelled by two jet engines +n04503593 a bit or drill having deep helical grooves +n04503705 a timber measuring (slightly under) 2 inches by 4 inches in cross section +n04504038 a tent designed for occupancy by two persons +n04504141 a business suit consisting of a matching jacket and skirt or trousers +n04504770 a printer that sets textual material in type +n04505036 hand-operated character printer for printing written messages one character at a time +n04505345 a carriage for carrying a sheet of paper +n04505470 a keyboard for manually entering characters to be printed +n04505888 soft green felt hat with a feather or brush cockade +n04506289 a small guitar having four strings +n04506402 loose long overcoat of heavy fabric; usually belted +n04506506 a high speed centrifuge used to determine the relative molecular masses of large molecules in high polymers and proteins +n04506688 light microscope that uses scattered light to show particles too small to see with ordinary microscopes +n04506895 a synthetic suede cloth +n04506994 any source of illumination that emits ultraviolet radiation +n04507155 a lightweight handheld collapsible canopy +n04507326 a small tent with a single supporting pole and radiating metal ribs +n04507453 framework that serves as a support for the body of a vehicle +n04507689 seal consisting of a coating of a tar or rubberlike material on the underside of a motor vehicle to retard corrosion +n04508163 a garment worn under other garments +n04508489 an undergarment that covers the body from the waist no further than to the thighs; usually worn next to the skin +n04508949 undergarment worn next to the skin and under the outer garments +n04509171 women's underwear +n04509260 a pair of parallel bars set at different heights; used in women's gymnastics +n04509417 a vehicle with a single wheel that is driven by pedals +n04509592 clothing of distinctive design worn by members of a particular group as a means of identification +n04510706 coupling that connects two rotating shafts allowing freedom of movement in all directions +n04511002 establishment where a seat of higher learning is housed, including administrative and living quarters as well as facilities for research and teaching +n04513827 covering (padding and springs and webbing and fabric) on a piece of furniture +n04513998 the fabric used in upholstering +n04514095 any of several very heavy and sometimes curved sewing needles used by upholsterers +n04514241 a brassiere that lifts and supports the breasts +n04514648 the higher of two berths +n04515003 a piano with a vertical sounding board +n04515444 a tool used to thicken or spread metal (the end of a bar or a rivet etc.) by forging or hammering or swaging +n04515729 the part of a building above the ground floor +n04515890 a vessel that holds water for washing the hands +n04516116 a large vase that usually has a pedestal or feet +n04516214 a large pot for making coffee or tea +n04516354 a car that has been previously owned; not a new car +n04516672 an implement for practical use (especially in a household) +n04517211 a type of submachine gun that is designed and manufactured in Israel +n04517408 a dwelling (a second home) where you live while you are on vacation +n04517823 an electrical home appliance that cleans by suction +n04517999 a chamber from which nearly all matter (especially air) has been removed +n04518132 flask with double walls separated by vacuum; used to maintain substances at high or low temperatures +n04518343 a gauge for indicating negative atmospheric pressure +n04518643 a type of bobbin lace with floral patterns +n04518764 a small overnight bag for short trips +n04519153 control consisting of a mechanical device for controlling the flow of a fluid +n04519536 device in a brass wind instrument for varying the length of the air column to alter the pitch of a tone +n04519728 internal-combustion engine having both inlet and exhaust valves located in the cylinder head +n04519887 cannon of plate armor protecting the forearm +n04520170 a truck with an enclosed cargo space +n04520382 a camper equipped with living quarters +n04520784 a fin attached to the tail of an arrow, bomb or missile in order to stabilize or guide it +n04520962 a device that puts out a substance in the form of a vapor (especially for medicinal inhalation) +n04521571 propeller for which the angle of the blades is adjustable +n04521863 a measuring instrument for measuring variations in a magnetic field +n04521987 a coating that provides a hard, lustrous, transparent finish to a surface +n04522168 an open jar of glass or porcelain used as an ornament or to hold flowers +n04523525 an arched brick or stone ceiling or roof +n04523831 a strongroom or compartment (often made of steel) for safekeeping of valuables +n04524142 a gymnastic horse without pommels and with one end elongated; used lengthwise for vaulting +n04524313 a conveyance that transports people or objects +n04524594 nylon fabric used as a fastening +n04524716 any of several early bicycles with pedals on the front wheel +n04524941 heavy fabric that resembles velvet +n04525038 a silky densely piled fabric with a plain back +n04525191 a usually cotton fabric with a short pile imitating velvet +n04525305 a slot machine for selling goods +n04525417 coating consisting of a thin layer of superior wood glued to a base of inferior wood +n04525584 a window blind made of horizontal strips that overlap when closed +n04525821 a diagram that uses circles to represent mathematical or logical sets pictorially inside a rectangle (the universal set); elements that are common to more than one set are represented by intersections of the circles +n04526520 a mechanical system in a building that provides fresh air +n04526800 a shaft in a building; serves as an air passage for ventilation +n04526964 a device (such as a fan) that introduces fresh air or expels foul air +n04527648 a porch along the outside of a building (sometimes partly enclosed) +n04528079 a green patina that forms on copper or brass or bronze that has been exposed to the air or water for long periods of time +n04528968 a caliper with a vernier scale for very fine measurements +n04529108 a small movable scale that slides along a main scale; the small scale is calibrated to indicate fractional divisions of the main scale +n04529681 a file in which records are stored upright on one edge +n04529962 a stabilizer that is part of the vertical tail structure of an airplane +n04530283 the vertical airfoil in the tail assembly of an aircraft +n04530456 a pistol for firing Very-light flares +n04530566 a craft designed for water transportation +n04531098 an object used as a container (especially for liquids) +n04531873 a man's sleeveless garment worn underneath a coat +n04532022 an archaic term for clothing +n04532106 gown (especially ceremonial garments) worn by the clergy +n04532398 a small pocket in a man's vest +n04532504 a room in a church where sacred vessels and vestments are kept or meetings are held +n04532670 bridge consisting of a series of arches supported by piers used to carry a road (or railroad) over a valley +n04532831 a percussion instrument similar to a xylophone but having metal bars and rotating disks in the resonators that produce a vibrato sound +n04533042 mechanical device that produces vibratory motion; used for massage +n04533199 a mechanical device that vibrates +n04533499 a brand of gramophone +n04533594 a soft wool fabric made from the fleece of the vicuna +n04533700 a cassette for videotape +n04533802 a magnetic tape recorder for recording (and playing back) TV programs +n04533946 a digital recording (as of a movie) on an optical disk that can be played on a computer or a television set +n04534127 a recording of both the visual and audible components (especially one containing a recording of a movie or television program) +n04534359 a relatively wide magnetic tape for use in recording visual images and associated sound +n04534520 a video recording made on magnetic tape +n04534895 a candle lighted by a worshiper in a church +n04535252 pretentious and luxurious country residence with extensive grounds +n04535370 country house in ancient Rome consisting of residential quarters and farm buildings around a courtyard +n04535524 detached or semidetached suburban house +n04536153 any of a family of bowed stringed instruments that preceded the violin family +n04536335 a bowed stringed instrument slightly larger than a violin, tuned a fifth lower +n04536465 a member of the viol family with approximately the range of a viola +n04536595 viol that is the bass member of the viol family with approximately the range of the cello +n04536765 viol that is the tenor of the viol family +n04536866 bowed stringed instrument that is the highest member of the violin family; this instrument has four strings and a hollow body and an unfretted fingerboard and is played with a bow +n04537436 a legless rectangular harpsichord; played (usually by women) in the 16th and 17th centuries +n04538249 a measuring instrument for measuring viscosity +n04538403 a rayon fabric made from viscose (cellulose xanthate) fibers +n04538552 a holding device attached to a workbench; has two jaws to hold workpiece firmly in place +n04538878 a piece of armor plate (with eye slits) fixed or hinged to a medieval helmet to protect the face +n04539053 (British) British term for video display +n04539203 an indoor enclosure for keeping and raising living animals and plants and observing them under natural conditions +n04539407 a fabric made from a twilled mixture of cotton and wool +n04539794 a light semitransparent fabric +n04540053 an inflated ball used in playing volleyball +n04540255 the high net that separates the two teams and over which the volleyball must pass +n04540397 a transformer whose voltage ratio of transformation can be adjusted +n04540761 an electric cell that generates an electromotive force by an irreversible conversion of chemical to electrical energy; cannot be recharged +n04541136 battery consisting of voltaic cells arranged in series; the earliest electric battery devised by Volta +n04541320 meter that measures the potential difference between two points +n04541662 an entrance to an amphitheater or stadium +n04541777 any digital computer incorporating the ideas of stored programs and serial counters that were proposed in 1946 by von Neumann and his colleagues +n04541987 a booth in which a person can cast a private vote +n04542095 a mechanical device for recording and counting votes mechanically +n04542329 wedge-shaped stone building block used in constructing an arch or vault +n04542474 an organ stop producing a gentle tremolo effect +n04542595 an organ reed stop producing tones imitative of the human voice +n04542715 waterproof hip boots (sometimes extending to the chest) worn by anglers +n04542858 a shallow pool for children +n04542943 a kitchen appliance for baking waffles; the appliance usually consists of two indented metal pans hinged together so that they create a pattern on the waffle +n04543158 any of various kinds of wheeled vehicles drawn by an animal or a tractor +n04543509 a child's four-wheeled toy cart sometimes used for coasting +n04543636 a metal hoop forming the tread of a wheel +n04543772 a wheel of a wagon +n04543924 large open farm wagon +n04543996 wooden panels that can be used to line the walls of a room +n04544325 a wainscoted wall (or wainscoted walls collectively) +n04544450 a small pouch (usually with a zipper) that attaches to a belt and is worn around the waist +n04545305 an enclosing framework on casters or wheels; helps babies learn to walk +n04545471 a light enclosing framework (trade name Zimmer) with rubber castors or wheels and handles; helps invalids or the handicapped or the aged to walk +n04545748 a shoe designed for comfortable walking +n04545858 small portable radio link (receiver and transmitter) +n04545984 a small room large enough to admit entrance +n04546081 a light comfortable shoe designed for vigorous walking +n04546194 a stick carried in the hand for support in walking +n04546340 (trademark) a pocket-sized stereo system with light weight earphones +n04546595 an apartment in a building without an elevator +n04546855 an architectural partition with a height and length greater than its thickness; used to divide or enclose an area or to support another structure +n04547592 a masonry fence (as around an estate or garden) +n04548280 a clock mounted on a wall +n04548362 a pocket-size case for holding papers and paper money +n04549028 a canvas tent with four vertical walls +n04549122 a piece of furniture having several units that stands against one wall of a room +n04549629 a rod used by a magician or water diviner +n04549721 a rotary engine that is a four-stroke internal-combustion engine without reciprocating parts +n04549919 block forming a division of a hospital (or a suite of rooms) shared by patients who need a similar kind of care +n04550184 a tall piece of furniture that provides storage space for clothes; has a door and rails or hooks for hanging clothes +n04550676 military quarters for dining and recreation for officers of a warship (except the captain) +n04551055 a storehouse for goods and merchandise +n04551833 a long-handled covered pan holding live coals to warm a bed +n04552097 full ceremonial regalia +n04552348 an aircraft designed and used for combat +n04552551 a room where strategic decisions are made (especially for military or political campaigns) +n04552696 a government ship that is available for waging war +n04553389 a thin coat of water-base paint +n04553561 a fabric treated to be easily washable and to require no ironing +n04553703 a basin for washing the hands (`wash-hand basin' is a British expression) +n04554211 protective covering consisting of a broad plank along a gunwale to keep water from splashing over the side +n04554406 device consisting of a corrugated surface to scrub clothes on +n04554684 a home appliance for washing clothes and linens automatically +n04554871 seal consisting of a flat disk placed to prevent leakage +n04554998 a building or outbuilding where laundry is done +n04555291 a lavatory (particularly a lavatory in a public place) +n04555400 furniture consisting of a table or stand to hold a basin and pitcher of water for washing: `wash-hand stand' is a British term +n04555600 a tub in which clothes or linens can be washed +n04555700 a container with an open top; for discarded paper and other rubbish +n04555897 a small portable timepiece +n04556408 a knitted dark blue wool cap worn by seamen in cold or stormy weather +n04556533 the metal case in which the works of a watch are housed +n04556664 laboratory glassware; a shallow glass dish used as an evaporating surface or to cover a beaker +n04556948 an observation tower for a lookout to watch over prisoners or watch for fires or enemies +n04557308 paint in which water is used as the vehicle +n04557522 a bed with a mattress made of strong plastic that is filled with water +n04557648 a bottle for holding water +n04557751 a butt set on end to contain water especially to store rainwater +n04558059 cart with a tank for water (especially with fresh water for sale) +n04558199 chute with flowing water down which toboggans and inner tubes and people slide into a pool +n04558478 a toilet in Britain +n04558804 a water-base paint (with water-soluble pigments); used by artists +n04559023 nuclear reactor using water as a coolant +n04559166 a device for cooling and dispensing drinking water +n04559451 a faucet for drawing water from a pipe or cask +n04559620 a filter to remove impurities from the water supply +n04559730 gauge for indicating the level of water in e.g. a tank or boiler or reservoir +n04559910 a glass for drinking water +n04559994 hazard provided by ponds of water that the golfer must avoid +n04560113 a heater and storage tank to supply heated water +n04560292 a container with a handle and a spout with a perforated nozzle; used to sprinkle water over plants +n04560502 water cart with a tank and sprinkler for sprinkling roads +n04560619 a container filled with water that surrounds a machine to cool it; especially that surrounding the cylinder block of an engine +n04560804 a jug that holds water +n04560882 a pool or stream in a steeplechase or similar contest +n04561010 a water gauge that shows the level by showing the surface of the water in a trough or U-shaped tube +n04561287 meter for measuring the quantity of water passing through a particular outlet +n04561422 a mill powered by a water wheel +n04561734 any fabric impervious to water +n04561857 a coating capable of making a surface waterproof +n04561965 the pump in the cooling system of an automobile that cause the water to circulate +n04562122 a motorboat resembling a motor scooter +n04562262 broad ski for skimming over water towed by a speedboat +n04562496 a channel through which water is discharged (especially one used for drainage from the gutters of a roof) +n04562935 a large reservoir for water +n04563020 a wagon that carries water (as for troops or work gangs or to sprinkle down dusty dirt roads in the summertime) +n04563204 a wheel that rotates by direct action of water; a simple turbine +n04563413 a wheel with buckets attached to its rim; raises water from a stream or pond +n04563560 a life preserver consisting of a connected pair of inflatable bags that fit under a person's arms and provide buoyancy; used by children learning to swim +n04563790 workplace where water is stored and purified and distributed for a community +n04564278 an instrument for measuring in watts the flow of power in an electrical circuit +n04564581 an effigy (usually of a famous person) made of wax +n04565039 structure consisting of a sloping way down to the water from the place where ships are built or repaired +n04565375 any instrument or instrumentality used in fighting or hunting +n04566257 weapons considered collectively +n04566561 military vehicle that is a light truck designed to carry mortars or machine guns and their crews +n04566756 weathervane with a vane in the form of a rooster +n04567098 a simple barometer for indicating changes in atmospheric pressure +n04567593 a satellite that transmits frequent picture of the earth below +n04567746 an oceangoing vessel equipped to make meteorological observations +n04568069 mechanical device attached to an elevated structure; rotates freely to show the direction of the wind +n04568557 an intricate trap that entangles or ensnares its victim +n04568713 a fabric (especially a fabric in the process of being woven) +n04568841 a strong fabric woven in strips +n04569063 a digital camera designed to take digital photographs and transmit them over the internet +n04569520 something solid that is usable as an inclined plane (shaped like a V) that can be pushed between two things to separate them +n04569822 (golf) an iron with considerable loft and a broad sole +n04570118 a shoe with a wedge heel +n04570214 a type of pottery made by Josiah Wedgwood and his successors; typically has a classical decoration in white on a blue background +n04570416 a hand tool for removing weeds +n04570532 a black garment (dress) worn by a widow as a sign of mourning +n04570815 a small suitcase to carry clothing and accessories for a weekend trip +n04570958 platform scale flush with a roadway for weighing vehicles and cattle etc +n04571292 sports equipment used in calisthenic exercises and weightlifting; it is not attached to anything and is raised and lowered by use of the hands and arms +n04571566 a low dam built across a stream to raise its level or divert its flow +n04571686 a fence or wattle built across a stream to catch or retain fish +n04571800 a wheeled vehicle carrying information and gifts from local merchants for new residents in an area +n04571958 a metal joint formed by softening with heat and fusing or hammering together +n04572121 a mask that you wear for protection when doing welding +n04572235 an assembly of parts welded together +n04572935 a cavity or vessel used to contain liquid +n04573045 a structure built over a well +n04573281 a raised or strengthened seam +n04573379 a standard voltaic cell (trademark Weston) +n04573513 a bar for mixing drinks that has a sink with running water +n04573625 a thermometer with a bulb that is covered with moist muslin; used in a psychrometer to measure humidity +n04573832 a primary voltaic cell having a liquid electrolyte +n04573937 fisherman's fly that floats under the surface of the water +n04574067 a close-fitting garment made of a permeable material; worn in cold water (as by skin divers) to retain body heat +n04574348 a long narrow boat designed for quick turning and use in rough seas +n04574471 a ship engaged in whale fishing +n04574606 a gun (or device resembling a gun) for discharging a projectile (especially a harpoon) at a whale +n04574999 a simple machine consisting of a circular frame with spokes (or a solid disc) that can rotate on a shaft or axle (as in vehicles or other machines) +n04575723 a circular helm to control the rudder of a vessel +n04575824 hoist so arranged that a rope unwinding from a wheel is wound onto a cylindrical drum or shaft coaxial with the wheel +n04576002 a movable chair mounted on large wheels; for invalids or those who cannot walk; frequently propelled by the occupant +n04576211 a vehicle that moves on wheels and usually has a container for transporting things or people +n04576971 mechanical device including an arrangement of wheel in a machine (especially a train of gears) +n04577139 light rowboat for use in racing or for transporting goods and passengers in inland waters and harbors +n04577293 sailing barge used especially in East Anglia +n04577426 a flat stone for sharpening edged tools or knives +n04577567 a crossbar that is attached to the traces of a draft horse and to the vehicle or implement that the horse is pulling +n04577769 an instrument with a handle and a flexible lash that is used for whipping +n04578112 a strong worsted or cotton fabric with a diagonal rib +n04578329 post formerly used in public to which offenders are tied to be whipped +n04578559 a sewing stitch passing over an edge diagonally +n04578708 a revolving mechanism +n04578801 a small short-handled broom used to brush clothes +n04578934 a mixer incorporating a coil of wires; used for whipping eggs or cream +n04579056 a bottle for holding whiskey +n04579145 a jug that contains whiskey +n04579230 a space beneath a dome or arch in which sounds produced at certain points are clearly audible at certain distant points +n04579432 acoustic device that forces air or steam against an edge or into a cavity and so produces a loud shrill sound +n04579667 a small wind instrument that produces a whistling sound by blowing into it +n04579986 (board games) the lighter pieces +n04580493 large electrical home appliances (refrigerators or washing machines etc.) that are typically finished in white enamel +n04581102 wash consisting of lime and size in water; used for whitening walls and other surfaces +n04581595 a building where prostitutes are available +n04581829 a loosely woven cord (in a candle or oil lamp) that draws fuel by capillary action up into the flame +n04582205 work made of interlaced slender branches (especially willow branches) +n04582349 a basket made of wickerwork +n04582771 a small arch used as croquet equipment +n04582869 cricket equipment consisting of a set of three stumps topped by crosspieces; used in playing cricket +n04583022 a lodge consisting of a frame covered with matting or brush; used by nomadic American Indians in the southwestern United States +n04583212 a camera lens having a wider than normal angle of view (and usually a short focal length); produces an image that is foreshortened in the center and increasingly distorted in the periphery +n04583620 a commercial airliner with two aisles +n04583888 corduroy with wide ribs +n04583967 a lookout atop a coastal house +n04584056 (trademark) a hollow plastic ball with cutouts +n04584207 hairpiece covering the head and made of real or synthetic hair +n04584373 a Native American lodge frequently having an oval shape and covered with bark or hides +n04585128 a carpet woven on a Jacquard loom with loops like a Brussels carpet but having the loops cut to form a close velvety pile +n04585318 headdress of cloth; worn over the head and around the neck and ears by medieval women +n04585456 a plain or twilled fabric of wool and cotton used especially for warm shirts or skirts and pajamas +n04585626 cotton flannelette with a nap on both sides +n04585745 lifting device consisting of a horizontal cylinder turned by a crank on which a cable or rope winds +n04585980 a shoulder rifle +n04586072 hedge or fence of trees designed to lessen the force of the wind and reduce erosion +n04586581 mechanical device used to wind another device that is driven by a spring (as a clock) +n04586932 a musical instrument in which the sound is produced by an enclosed column of air that is moved by the breath +n04587327 a large sailing ship +n04587404 generator that extracts usable energy from winds +n04587559 a mill that is powered by the wind +n04587648 a framework of wood or metal that contains a glass windowpane and is built into a wall or roof to admit light or air +n04588739 (computer science) a rectangular part of a computer screen that contains a display different from the rest of the screen +n04589190 a blind for privacy or to keep out light +n04589325 a long narrow box for growing plants on a windowsill +n04589434 an envelope with a transparent panel that reveals the address on the enclosure +n04589593 the framework that supports a window +n04589890 screen to keep insects from entering a building through the open window +n04590021 a bench or similar seat built into a window recess +n04590129 an opaque window blind that can cover or uncover a window +n04590263 the sill of a window; the horizontal member at the bottom of the window frame +n04590553 transparent screen (as of glass) to protect occupants of a vehicle +n04590746 a mechanical device that cleans the windshield +n04590933 straight chair having a shaped seat and a back of many spindles +n04591056 a wide triangular slipknot for tying a tie +n04591157 a wide necktie worn in a loose bow +n04591249 weather vane shaped like a T and located at an airfield +n04591359 a structure resembling a tunnel where air is blown at known velocities for testing parts of aircraft +n04591517 a turbine that is driven by the wind +n04591631 a bar that serves only wine +n04591713 a bottle for holding wine +n04591887 a bucket of ice used to chill a bottle of wine +n04592005 a barrel that holds wine +n04592099 a glass that has a stem and in which wine is served +n04592356 a press that is used to extract the juice from grapes +n04592465 distillery where wine is made +n04592596 an animal skin (usually a goatskin) that forms a bag and is used to hold and dispense wine +n04592741 one of the horizontal airfoils on either side of the fuselage of an airplane +n04593077 easy chair having wings on each side of a high back +n04593185 a threaded nut with winglike projections for thumb and forefinger leverage in turning +n04593376 a decorative toecap having a point extending toward the throat of the shoe +n04593524 a shoe having a wing-tip toecap +n04593629 blind consisting of a leather eyepatch sewn to the side of the halter that prevents a horse from seeing something on either side +n04593866 contact consisting of a conducting arm that rotates over a series of fixed contacts and comes to rest on an outlet +n04594114 electric motor that moves the windshield wiper +n04594218 ligament made of metal and used to fasten things or make cages or fences etc +n04594489 a metal conductor that carries electricity over a distance +n04594742 fabric woven of metallic wire +n04594828 an edge tool used in cutting wire +n04594919 gauge for measuring the diameter of wire +n04595028 a local area network that uses high frequency radio signals to transmit and receive data over distances of a few hundred feet; uses ethernet protocol +n04595285 an impact printer in which each character is represented by a pattern of dots made by wires or styli +n04595501 an early type of magnetic recorder using iron wire +n04595611 a hand tool used by electricians to remove insulation from the cut end of an insulated wire +n04595762 mesh netting made of wires +n04595855 a circuit of wires for the distribution of electricity +n04596116 a magical cap that secures whatever one wishes for +n04596492 a box enclosure for a witness when testifying +n04596742 pan with a convex bottom; used for frying in Chinese cooking +n04596852 clothing that is designed for women to wear +n04597066 a golf club with a long shaft used to hit long shots; originally made with a wooden head +n04597309 a carving created by carving wood +n04597400 a chisel for working wood; it is either struck with a mallet or pushed by hand +n04597804 ware for domestic use made of wood +n04597913 a spoon made of wood +n04598136 a metal screw that tapers to a point so that it can be driven into wood with a screwdriver +n04598318 a shed for storing firewood or garden tools +n04598416 a vise with jaws that are padded in order to hold lumber without denting it +n04598582 any wind instrument other than the brass instruments +n04598965 the yarn woven across the warp yarn in weaving +n04599124 a loudspeaker that reproduces lower audio frequency sounds +n04599235 a fabric made from the hair of sheep +n04600312 container for holding implements and materials for work (especially for sewing) +n04600486 a strong worktable for a carpenter or mechanic +n04600912 clothing worn for doing manual labor +n04601041 a county jail that holds prisoners for periods up to 18 months +n04601159 a poorhouse where able-bodied poor are compelled to labor +n04601938 work consisting of a piece of metal being machined +n04602762 room where work is done +n04602840 the internal mechanism of a device +n04602956 heavy-duty shirts worn for manual or physical work +n04603399 a desktop digital computer that is conventionally considered to be more powerful than a microcomputer +n04603729 a table designed for a particular task +n04603872 heavy-duty clothes for manual or physical work +n04604276 computer network consisting of a collection of internet sites that offer text and graphics and sound and animation resources through the hypertext transfer protocol +n04604644 rail fence consisting of a zigzag of interlocking rails +n04604806 gear consisting of a shaft with screw thread (the worm) that meshes with a toothed wheel (the worm wheel); changes the direction of the axis of rotary motion +n04605057 gear with the thread of a worm +n04605163 a woolen fabric with a hard textured surface and no nap; woven of worsted yarns "he wore a worsted suit" +n04605321 a tightly twisted woolen yarn spun from long-staple wool +n04605446 cloak that is folded or wrapped around a person +n04605572 a garment (as a dress or coat) with a full length opening; adjusts to the body by wrapping around +n04605726 the covering (usually paper or cellophane) in which something is wrapped +n04606251 a ship that has been destroyed at sea +n04606574 a hand tool that is used to hold or twist a nut or bolt +n04607035 a mat on which wrestling matches are conducted +n04607242 a clothes dryer consisting of two rollers between which the wet clothes are squeezed +n04607640 protective garment consisting of a pad worn by football players +n04607759 pin joining a piston to a connecting rod +n04607869 a watch that is worn strapped to the wrist +n04607982 an arm of a tablet-armed chair; widened to provide a writing surface +n04608329 a desk for writing (usually with a sloping top) +n04608435 a portable case containing writing materials and having a writing surface +n04608567 an implement that is used to write +n04608809 a page printer that uses the xerographic process +n04608923 a duplicator (trade mark Xerox) that copies graphic matter by the action of light on an electrically charged photoconductive insulating surface in which the latent image is developed with a resinous powder +n04609531 photographic film used to make X-ray pictures +n04609651 an apparatus that provides a source of X rays +n04609811 a vacuum tube containing a metal target onto which a beam of electrons is directed at high energy for the generation of X rays +n04610013 an expensive vessel propelled by sail or power and used for cruising or racing +n04610176 a light folding armchair for outdoor use +n04610274 a sharply directional antenna +n04610503 an enclosure for animals (as chicken or livestock) +n04610676 a long horizontal spar tapered at the end and used to support and spread a square sail or lateen +n04611351 either end of the yard of a square-rigged ship +n04611795 (football) a marker indicating the yard line +n04611916 a ruler or tape that is three feet long +n04612026 a skullcap worn by religious Jews (especially at prayer) +n04612159 the face veil worn by Muslim women +n04612257 a long Turkish knife with a curved blade having a single edge +n04612373 a sailing vessel with two masts; a small mizzen is aft of the rudderpost +n04612504 a ship's small boat (usually rowed by 4 or 6 oars) +n04612840 stable gear that joins two draft animals at the neck so they can work together as a team +n04613015 fabric comprising a fitted part at the top of a garment +n04613158 a connection (like a clamp or vise) between two things so they move together +n04613696 a circular domed dwelling that is portable and self-supporting; originally used by nomadic Mongol and Turkic people of central Asia but now used as inexpensive alternative or temporary housing +n04613939 the trademark for a machine that smooths the ice in an ice-skating rink +n04614505 the sight setting that will cause a projectile to hit the center of the target with no wind blowing +n04614655 a rectangular tiered temple or terraced mound erected by the ancient Assyrians and Babylonians +n04614844 one of a pair of small metallic cymbals worn on the thumb and middle finger; used in belly dancing in rhythm with the dance +n04615149 a crude homemade pistol +n04615226 a musical stringed instrument with strings stretched over a flat sounding board; it is laid flat and played with a plectrum and with fingers +n04615644 a flashy suit of extreme cut +n04682018 graded markings that indicate light or shaded areas in a drawing or painting +n04950713 the direction, texture, or pattern of fibers found in wood or leather or stone or in a woven fabric +n04950952 texture produced by the fibers in wood +n04951071 a texture like that of wood +n04951186 a texture like that of marble +n04951373 the visual effect of illumination on objects or scenes as created in pictures +n04951716 an indication of radiant light drawn around the head of a saint +n04951875 lightness created by sunlight +n04953296 a spatially localized brightness +n04953678 the visual property of something having a milky brightness and a play of colors from the surface +n04955160 the property of being smooth and shiny +n04957356 any of three pigments from which all colors can be obtained by mixing +n04957589 any of three primary colors of light from which all colors can be obtained by additive mixing +n04958634 the visual property of being without chromatic color +n04958865 an irregular arrangement of patches of color +n04959061 an absence of normal pigmentation especially in the skin (as in albinism) or in red blood cells +n04959230 a quality of a given color that differs slightly from another color +n04959672 a color that has hue +n04960277 the quality or state of the achromatic color of least lightness (bearing the least resemblance to white) +n04960582 a very dark black +n04961062 a very light white +n04961331 a shade of white the color of bleached bones +n04961691 a neutral achromatic color midway between white and black +n04962062 a light shade of grey +n04962240 a very dark grey color +n04963111 a blood-red color +n04963307 a bright orange-red color produced in cotton cloth with alizarine dye +n04963588 a deep and vivid red color +n04963740 a red color that reflects little light +n04964001 a dark purplish-red color +n04964799 a dark purplish-red color +n04964878 a dark purplish-red to dark brownish-red color +n04965179 orange color or pigment; any of a range of colors between red and yellow +n04965451 an orange color closer to red than to yellow +n04965661 yellow color or pigment; the chromatic color resembling the hue of sunflowers or ripe lemons +n04966543 a strong yellow color +n04966941 a variable yellow tint; dull yellow, often diluted with white +n04967191 green color or pigment; resembling the color of growing grass +n04967561 the property of being somewhat green +n04967674 the property of a moderate green color resembling the waters of the sea +n04967801 the color of sage leaves +n04967882 dark to moderate or greyish green +n04968056 the green color of an emerald +n04968139 a color that is lighter and greener than olive +n04968749 a light green color varying from bluish green to yellowish green +n04968895 blue color or pigment; resembling the color of the clear sky in the daytime +n04969242 a light shade of blue +n04969540 a greyish blue color +n04969798 a shade of blue tinged with green +n04969952 a shade of blue tinged with purple +n04970059 a purple color or pigment +n04970312 a vivid purplish-red color +n04970398 a blue-violet color +n04970470 a pale purple color +n04970631 a shade of purple tinged with red +n04970916 a light shade of red +n04971211 a pink or reddish-pink color +n04971313 a dusty pink color +n04972350 the brown color of chestnuts +n04972451 a medium brown to dark-brown color +n04972801 a brown that is light but unsaturated +n04973020 a light brown the color of topaz +n04973291 a very light brown +n04973386 a shade of brown with a tinge of red +n04973585 a bright reddish-brown color +n04973669 a reddish-brown color resembling the color of polished copper +n04973816 a reddish-brown color resembling the red soil used as body paint by American Indians +n04974145 a color varying from dark purplish brown to dark red +n04974340 a yellow-green color of low brightness and saturation +n04974859 a vivid blue to purple-blue color +n04975739 either one of two chromatic colors that when mixed together give white (in the case of lights) or grey (in the case of pigments) +n04976319 coloration of living tissues by pigment +n04976952 the coloring of a person's face +n04977412 a healthy reddish complexion +n04978561 a color produced by a pattern of differently colored dots that together simulate the desired color +n04979002 conspicuous coloration or markings of an animal serving to warn off predators +n04979307 coloring that conceals or disguises an animal's shape +n04981658 a characteristic sound +n05102764 the center of the circle of curvature +n05218119 the dead body of a human being +n05233741 small indentation in the middle of the lower jawbone +n05235879 a riblike supporting or strengthening part of an animal or plant +n05238282 a natural protective body covering and site of the sense of touch +n05239437 a piece of skin taken from a donor area and surgically grafted at the site of an injury or burn +n05241218 any of the cells making up the epidermis +n05241485 a cell in the basal layer of the epidermis that produces melanin under the control of the melanocyte-stimulating hormone +n05241662 a cell in the germinal layer of the skin (the prickle-cell layer); has many spines and radiating processes +n05242070 an epithelial cell that is shaped like a column; some have cilia +n05242239 any of various columnar epithelial cells in the central nervous system that develop into neuroglia +n05242928 an epithelial cell that is flat like a plate and form a single layer of epithelial tissue +n05244421 a plaque consisting of tangles of amyloid protein in nervous tissue (a pathological mark of Alzheimer's disease) +n05244755 a film of mucus and bacteria deposited on the teeth that encourages the development of dental caries +n05244934 a patch of skin that is discolored but not usually elevated; caused by various diseases +n05245192 a small brownish spot (of the pigment melanin) on the skin +n05257476 a woman's hairstyle in which the hair gives a puffy appearance +n05257967 a fat sausage-shaped curl +n05258051 a lock of hair growing (or falling) over the forehead +n05258627 a spiral curl plastered on the forehead or cheek +n05259914 a plait of braided hair +n05260127 a smooth hair style with the ends of the hair curled inward +n05260240 a hair style in which the front hair is swept up from the forehead +n05261310 hair resembling thatched roofing material +n05262422 slang for a mustache +n05262534 a large bushy moustache (with hair growing sometimes down the sides of the mouth) +n05262698 a bushy droopy mustache +n05263183 short stiff hairs growing on a man's face when he has not shaved for a few days +n05263316 a short pointed beard (named after the artist Anthony Vandyke) +n05263448 a small patch of facial hair just below the lower lip and above the chin +n05265736 alimentary tract smear of material obtained from the esophagus +n05266096 alimentary tract smear of material obtained from the duodenum +n05266879 a bit of tissue or blood or urine that is taken for diagnostic purposes +n05278922 (anatomy) a point or small area +n05279953 the concavity in the head of the scapula that receives the head of the humerus to form the shoulder joint +n05282652 a gap or vacant space between two teeth +n05285623 the fatty network of connective tissue that fills the cavities of bones +n05302499 the opening through which food is taken in and vocalizations emerge +n05314075 either of the corners of the eye where the upper and lower eyelids meet +n05399034 produced by mammary glands of female mammals for feeding their young +n05399243 milk secreted by a woman who has recently given birth +n05399356 milky fluid secreted for the first day or two after parturition +n05418717 a blood vessel that carries blood from the capillaries toward the heart +n05427346 a nerve cell whose body is outside the central nervous system +n05442594 the sex chromosome that is present in both sexes: singly in males and doubly in females +n05447757 a cell of an embryo +n05448704 a precursor of leukocytes that normally occurs only in bone marrow +n05448827 an erythroblast having granules of ferritin +n05449196 mature bone cell +n05449661 abnormally large red blood cell (associated with pernicious anemia) +n05449959 blood cells that engulf and digest bacteria and fungi; an important part of the body's defense system +n05450617 a macrophage that is found in connective tissue +n05451099 a phagocyte that does not circulate in the blood but is fixed in the liver or spleen or bone marrow etc. +n05451384 an agranulocytic leukocyte that normally makes up a quarter of the white blood cell count but increases in the presence of infection +n05453412 a large immature monocyte normally found in bone marrow +n05453657 the chief phagocytic leukocyte; stains with either basic or acid dyes +n05453815 a neutrophil that ingests small things (as bacteria) +n05454833 an abnormal red blood cell that has a crescent shape and an abnormal form of hemoglobin +n05454978 an abnormal red blood cell containing granules of iron not bound in hemoglobin +n05455113 an abnormal spherical red blood cell +n05458173 mature ovum after penetration by sperm but before the formation of a zygote +n05458576 a female gametocyte that develops into an ovum after two meiotic divisions +n05459101 an immature gamete produced by a spermatocyte; develops into a spermatozoon +n05459457 a cell in the testes that secretes the hormone testosterone +n05459769 an elongated contractile cell in striated muscle tissue +n05460759 cells of the smooth muscles +n05464534 small gaps in the myelin sheath of medullated axons +n05467054 sustentacular tissue that surrounds and supports neurons in the central nervous system; glial and neural cells together compose the tissue of the central nervous system +n05467758 comparatively large neuroglial cell +n05468098 a kind of astrocyte found in the grey matter +n05468739 a cell of the oligodendroglia +n05469664 special nerve endings in the muscles and tendons and other organs that respond to stimuli regarding the position and movement of the body +n05469861 short fiber that conducts toward the cell body of the neuron +n05475397 a nerve fiber that carries impulses toward the central nervous system +n05482922 a space in the meninges beneath the arachnoid membrane and above the pia mater that contains the cerebrospinal fluid +n05486510 the layer of unmyelinated neurons (the grey matter) forming the cortex of the cerebrum +n05491154 the cortex of the kidney containing the glomeruli and the convoluted tubules +n05526957 a fold of skin covering the tip of the penis +n05538625 the upper part of the human body or the front part of the body in animals; contains the face and brains +n05539947 the skin that covers the top of the head +n05541509 either prominence of the frontal bone above each orbit +n05542893 an immovable joint (especially between the bones of the skull) +n05545879 the large opening at the base of the cranium through which the spinal cord passes +n05571341 the junction between the esophagus and the stomach epithelium +n05578095 the back part of the human foot +n05581932 the dead skin at the base of a fingernail or toenail +n05584746 a loose narrow strip of skin near the base of a fingernail; tearing it produces a painful sore that is easily infected +n05586759 the exterior protective or supporting structure or shell of many animals (especially invertebrates) including bony or horny parts such as nails or scales or hoofs +n05604434 a wall of the abdomen +n05716342 a distinctive tart flavor characteristic of lemons +n06008896 one of the fixed reference lines of a coordinate system +n06209940 an extensive mental viewpoint +n06254669 a means or instrumentality for storing or communicating information +n06255081 a medium for the expression or achievement of something +n06255613 a medium for written communication +n06259898 a path over which electrical signals can pass +n06262567 a medium that disseminates moving pictures +n06262943 the film industry +n06263202 a press not restricted or controlled by government censorship regarding politics or ideology +n06263369 the print media responsible for gathering and publishing news in the form of newspapers or magazines +n06263609 a medium that disseminates printed matter +n06263762 a medium for storing information +n06263895 any storage medium in which different patterns of magnetization are used to represent stored bits or bytes of information +n06266417 newspapers and magazines collectively +n06266633 British journalism +n06266710 journalism that presents a story primarily through the use of pictures +n06266878 photography of newsworthy events +n06266973 printed material (text and pictures) produced by an intaglio printing process in a rotary press +n06267145 a daily or weekly publication on folded sheets; contains news and articles and advertisements +n06267564 a newspaper that is published every day +n06267655 a newspaper or official journal +n06267758 a newspaper written and published by students in a school +n06267893 newspaper with half-size pages +n06267991 sensationalist journalism +n06271778 (often plural) systems used in transmitting messages over a distance electronically +n06272290 transmitting speech at a distance +n06272612 a computerized system for answering and routing telephone calls; telephone messages can be recorded and stored and relayed +n06272803 a telephone connection +n06273207 a return call +n06273294 a telephone call that the receiving party is asked to pay for +n06273414 lets you transfer your incoming calls to any telephone that you can dial direct +n06273555 a telephone call to a radio station or a television station in which the caller participates in the on-going program +n06273743 a way of letting you know that someone else is calling when you are using your telephone +n06273890 a hostile telephone call (from a crank) +n06273986 a telephone call made within a local calling area +n06274092 a telephone call made outside the local calling area +n06274292 a long-distance telephone call at charges above a local rate +n06274546 a telephone call that you request be made a specific time in order to wake you up at that time (especially in hotels) +n06274760 a way of adding a third party to your conversation without the assistance of a telephone operator +n06274921 communicating at a distance by electric transmission over wire +n06275095 a telegram sent abroad +n06275353 transmission by radio waves +n06275471 telegraphy that uses transmission by radio rather than by wire +n06276501 telephony that uses transmission by radio rather than by wire +n06276697 taking part in a radio or tv program +n06276902 a system for distributing radio or tv programs +n06277025 communicates two or more signals over a common channel +n06277135 medium for communication +n06277280 broadcasting visual images of stationary or moving objects +n06278338 television that is transmitted over cable directly to the receiver +n06278475 a television system that has more than the usual number of lines per frame so its pictures show more detail +n06281040 quality or fidelity of a received broadcast +n06281175 the detection that a signal is being received +n06340977 a Hebrew title of respect for a wise and highly educated man +n06359193 a computer connected to the internet that maintains a series of web pages on the World Wide Web +n06359467 a site on the internet where a number of users can communicate in real time (typically one dedicated to a particular topic) +n06359657 a site that the owner positions as an entrance to other sites on the internet +n06415688 a small notebook for rough notes +n06417096 (Roman Catholic Church) a book of prayers to be recited daily certain priests and members of religious orders +n06418693 a reference book containing words (usually with their meanings) +n06419354 an abridged dictionary of a size convenient to hold in the hand +n06423496 a handbook of tables used to facilitate computation +n06470073 writing that provides information (especially information of an official nature) +n06591815 one or more recordings issued together; originally released on 12-inch phonograph records (usually with attractive record covers) and later on cassette audiotape and compact disc +n06592078 an album whose recordings are unified by some theme (instrumental or lyrical or narrative or compositional) +n06592281 albums of rock music that aspired to the status of art; first appeared in the 1960s +n06592421 concept album compiling a performer's work or work supporting some worthy cause +n06595351 a periodic publication containing pictures and stories and articles of interest to those who purchase it or subscribe to it +n06596179 (British) a magazine that is printed in color and circulated with a newspaper (especially on weekends) +n06596364 a magazine devoted to comic strips +n06596474 a magazine devoted to reports of current events; usually published weekly +n06596607 an inexpensive magazine printed on poor quality paper +n06596727 a magazine printed on good quality paper +n06596845 a magazine published for and read by members of a particular trade group +n06613686 a form of entertainment that enacts a story by sound and a sequence of images giving the illusion of continuous movement +n06614901 a scene that is filmed but is not used in the final editing of the film +n06616216 a movie featuring shooting and violence +n06618653 a low-budget Western movie produced by a European (especially an Italian) film company +n06625062 a letter from the pope sent to all Roman Catholic bishops throughout the world +n06785654 a puzzle in which words corresponding to numbered clues are to be found and written in to squares in the puzzle +n06793231 a public display of a message +n06794110 a sign visible from the street +n06874185 a visual signal to control the flow of traffic at intersections +n06883725 the official emblem of the Nazi Party and the Third Reich; a cross with the arms bent at right angles in a clockwise direction +n06892775 a performance of music by players or singers not involving theatrical staging +n06998748 photographs or other visual representations in a printed publication +n07005523 the enhanced response of an antenna in a given direction as indicated by a loop in its radiation pattern +n07248320 a paper jacket for a book; a jacket on which promotional information is usually printed +n07273802 a mound of stones piled up as a memorial or to mark a boundary or path +n07461050 an equestrian competition; the first day is dressage; the second is cross-country jumping; the third is stadium jumping +n07556406 food that is simply prepared and gives a sense of wellbeing; typically food with a high sugar or carbohydrate content that is associated with childhood or with home cooking +n07556637 any substance that can be used as food +n07556872 eatables (especially sweets) +n07556970 part of a meal served at one time +n07557165 something considered choice to eat +n07557434 a particular item of prepared food +n07560193 inexpensive food (hamburgers or chicken or milkshakes) prepared and served quickly +n07560331 food to be eaten with the fingers +n07560422 solid and liquid nourishment taken into the body through the mouth +n07560542 food that fulfills the requirements of Jewish dietary law +n07560652 the food and drink that are regularly served or consumed +n07560903 the usual food and drink consumed by an organism (person or animal) +n07561112 a prescribed selection of foods +n07561590 a regulated daily food allowance +n07561848 a diet that contains adequate amounts of all the necessary nutrients required for healthy growth and activity +n07562017 a diet of foods that are not irritating +n07562172 a diet of fluids with minimal residues (fat-free broth or strained fruit juices or gelatin); cannot be used for more than one day postoperative +n07562379 a diet designed to help control the symptoms of diabetes +n07562495 something added to complete a diet or to make up for a dietary deficiency +n07562651 a diet of foods high in starch that increases carbohydrate reserves in muscles +n07562881 a reducing diet that enjoys temporary popularity +n07562984 diet prescribed to treat celiac disease; eliminates such foods as wheat and rye and oats and beans and cabbage and turnips and cucumbers that are rich in gluten +n07563207 a diet high in plant and animal proteins; used to treat malnutrition or to increase muscle mass +n07563366 a diet designed to patients with vitamin deficiencies +n07563642 diet prescribed for bedridden or convalescent people; does not include fried or highly seasoned foods +n07563800 a diet of foods that can be served in liquid or strained form (plus custards or puddings); prescribed after certain kinds of surgery +n07564008 a diet that is low on calories +n07564101 a diet containing limited amounts of fat and stressing foods high in carbohydrates; used in treatment of some gallbladder conditions +n07564292 a diet that limits the intake of salt (sodium chloride); often used in treating hypertension or edema or certain other disorders +n07564515 a diet consisting chiefly of beans and whole grains +n07564629 a diet designed to help you lose weight (especially fat) +n07564796 a diet that does not require chewing; advised for those with intestinal disorders +n07564971 a diet excluding all meat and fish +n07565083 the dishes making up a meal +n07565161 informal terms for a meal +n07565259 food or meals in general +n07565608 a meal eaten in a mess hall by service personnel +n07565725 the food allowance for one day (especially for service personnel) +n07565945 rations issued for United States troops in the field +n07566092 a small package of emergency rations; issued to United States troops in World War II +n07566231 a canned field ration issued by the United States Army +n07566340 a substance that can be used or prepared for use as food +n07566863 foodstuff rich in natural starch (especially potatoes, rice, bread) +n07567039 flour or meal or grain used in baking bread +n07567139 a digestible substance used to give color to food +n07567390 a concentrated form of a foodstuff; the bulk is reduced by removing water +n07567611 a concentrated form of tomatoes +n07567707 coarsely ground foodstuff; especially seeds of various cereal grasses or pulse +n07567980 coarsely ground grain in the form of pellets (as for pet food) +n07568095 coarsely ground corn +n07568241 fine meal made from cereal grain especially wheat; often used as a cooked cereal or in puddings +n07568389 meal made from ground matzos +n07568502 meal made from rolled or ground oats +n07568625 meal made from dried peas +n07568818 coarse, indigestible plant food low in nutrients; its bulk stimulates intestinal peristalsis +n07568991 food prepared from the husks of cereal grains +n07569106 fine powdery foodstuff obtained by grinding and sifting the meal of a cereal grain +n07569423 flour that does not contain a raising agent +n07569543 flour prepared from wheat +n07569644 flour made by grinding the entire wheat berry including the bran; (`whole meal flour' is British usage) +n07569873 meal made from soybeans +n07570021 milled product of durum wheat (or other hard wheat) used in pasta +n07570530 a feed consisting primarily of corn gluten +n07570720 a source of materials to nourish the body +n07572353 a stock or supply of foods +n07572616 a supply of food especially for a household +n07572858 food preserved by freezing +n07572957 food preserved by canning +n07573103 meat preserved in a can or tin +n07573347 a canned meat made largely from pork +n07573453 food preserved by dehydration +n07573563 a substantial and nourishing meal +n07573696 the food served and eaten at one time +n07574176 whatever happens to be available especially when offered to an unexpected guest or when brought by guests and shared by all +n07574426 a light meal or repast +n07574504 snacks and drinks served as a light meal +n07574602 the first meal of the day (usually in the morning) +n07574780 a breakfast that usually includes a roll and coffee or tea +n07574923 combination breakfast and lunch; usually served in late morning +n07575076 a midday meal +n07575226 lunch (usually at a restaurant) where business is discussed and the cost is charged as a business expense +n07575392 substantial early evening meal including tea +n07575510 a light midafternoon meal of tea and sandwiches or cakes +n07575726 the main meal of the day served in the evening or at midday +n07575984 a light evening meal; served in early evening if dinner is at midday or served late in the evening at bedtime +n07576182 a meal set out on a buffet at which guests help themselves +n07576438 any informal meal eaten outside or on an excursion +n07576577 an informal meal cooked and eaten outdoors +n07576781 a cookout in which food is cooked over an open fire; especially a whole animal carcass roasted on a spit +n07576969 a cookout at the seashore where clams and fish and other foods are cooked--usually on heated stones covered with seaweed +n07577144 a cookout where fried fish is the main course +n07577374 a light informal meal +n07577538 (Yiddish) a snack or light meal +n07577657 a large satisfying meal +n07577772 a meal consisting of a sandwich of bread and cheese and a salad +n07577918 a snack taken during a break in the work day +n07578093 a meal that is well prepared and greatly enjoyed +n07579575 the principal dish of a meal +n07579688 the most important dish of a meal +n07579787 a main course served on a plate +n07579917 a dish of marinated vegetables and meat or fish; served with rice +n07580053 a dish that is served with, but is subordinate to, a main course +n07580253 a dish or meal given prominence in e.g. a restaurant +n07580359 food cooked and served in a casserole +n07580470 chicken cooked and served in a casserole +n07580592 chicken casserole prepared with tomatoes and mushrooms and herbs in the Italian style +n07581249 a course of appetizers in an Italian meal +n07581346 food or drink to stimulate the appetite (usually served before a meal or as the first course) +n07581607 an appetizer consisting usually of a thin slice of bread or toast spread with caviar or cheese or other savory food +n07581775 an appetizer served as a first course at a meal +n07581931 a mixture of sliced or diced fruits +n07582027 a cocktail of cold cooked crabmeat and a sauce +n07582152 a cocktail of cold cooked shrimp and a sauce +n07582277 a dish served as an appetizer before the main meal +n07582441 spicy or savory condiment +n07582609 tasty mixture or liquid into which bite-sized foods are dipped +n07582811 a dip made of cooked beans +n07582892 a dip made of cheeses +n07582970 a dip made of clams and soft cream cheese +n07583066 a dip made of mashed avocado mixed with chopped onions and other seasonings +n07583197 liquid food especially of meat or fish or vegetable stock often containing pieces of solid food +n07583865 the soup that a restaurant is featuring on a given day +n07583978 soup that contains small noodles in the shape of letters of the alphabet +n07584110 clear soup usually of beef or veal or chicken +n07584228 a tomato-flavored consomme; often served chilled +n07584332 a thick cream soup made from shellfish +n07584423 a Russian or Polish soup usually containing beet juice as a foundation +n07584593 a thin soup of meat or fish or vegetable stock +n07584859 used to feed infants +n07584938 a clear seasoned broth +n07585015 a stock made with beef +n07585107 a stock made with chicken +n07585208 liquid in which meat and vegetables are simmered; used as a basis for e.g. soups or sauces +n07585474 a cube of dehydrated stock +n07585557 soup made from chicken broth +n07585644 soup made from chicken boiled with leeks +n07585758 a soup made with chopped tomatoes and onions and cucumbers and peppers and herbs; served cold +n07585906 a soup or stew thickened with okra pods +n07585997 a clear soup garnished with julienne vegetables +n07586099 soup cooked in a large pot +n07586179 soup made from a calf's head or other meat in imitation of green turtle soup +n07586318 a soup of eastern India that is flavored with curry; prepared with a meat or chicken base +n07586485 a soup made from the skinned tail of an ox +n07586604 a thick soup made of dried peas (usually made into a puree) +n07586718 a soup made with vegetables and tripe and seasoned with peppercorns; often contains dumplings +n07586894 soup made with a variety of vegetables +n07587023 thick (often creamy) soup +n07587111 a stew of vegetables and (sometimes) meat +n07587206 soup usually made of the flesh of green turtles +n07587331 made by stirring beaten eggs into a simmering broth +n07587441 a thick soup or stew made with milk and bacon and onions and potatoes +n07587618 chowder containing corn +n07587700 chowder containing clams +n07587819 a chowder made with clams and tomatoes and other vegetables and seasonings +n07587962 a thick chowder made with clams and potatoes and onions and salt pork and milk +n07588111 chowder containing fish +n07588193 a soup with won ton dumplings +n07588299 made of stock and split peas with onions carrots and celery +n07588419 made of fresh green peas and stock with shredded lettuce onion and celery +n07588574 made of stock and lentils with onions carrots and celery +n07588688 a thick soup made from beef or mutton with vegetables and pearl barley +n07588817 a creamy potato soup flavored with leeks and onions; usually served cold +n07588947 food prepared by stewing especially meat or fish with vegetables +n07589458 a Polish stew of cabbage and meat +n07589543 spicy southern specialty: chicken (or small game) with corn and tomatoes and lima beans and okra and onions and potatoes +n07589724 thick spicy stew of whatever meat and whatever vegetables are available; southern United States +n07589872 a gathering at which burgoo stew is served +n07589967 Spanish version of burgoo +n07590068 Irish version of burgoo +n07590177 thick stew made of rice and chicken and small game; southern U.S. +n07590320 a rich meat stew highly seasoned with paprika +n07590502 a stew (or thick soup) made with meat and vegetables +n07590611 a stew of meat and potatoes cooked in a tightly covered pot +n07590752 meat is browned before stewing +n07590841 made with sauerkraut and caraway seeds and served with sour cream +n07590974 made of lamb or pork +n07591049 meat (especially mutton) stewed with potatoes and onions +n07591162 oysters in cream +n07591236 diced lobster meat in milk or cream +n07591330 a stew of meat and vegetables and hardtack that is eaten by sailors +n07591473 a stew made with fish +n07591586 highly seasoned Mediterranean soup or stew made of several kinds of fish and shellfish with tomatoes and onions or leeks and seasoned with saffron and garlic and herbs +n07591813 highly seasoned soup or stew made of freshwater fishes (eel, carp, perch) with wine and stock +n07591961 saffron-flavored dish made of rice with shellfish and chicken +n07592094 pieces of chicken or other meat stewed in gravy with e.g. carrots and onions and served with noodles or dumplings +n07592317 a stew made with chicken +n07592400 a stew made with turkey +n07592481 a stew made with beef +n07592656 well-seasoned stew of meat and vegetables +n07592768 a vegetable stew; usually made with tomatoes, eggplant, zucchini, peppers, onion, and seasonings +n07592922 ragout of game in a rich sauce +n07593004 traditional French stew of vegetables and beef +n07593107 a thin stew of meat and vegetables +n07593199 an assortment of foods starting with herring or smoked eel or salmon etc with bread and butter; then cheeses and eggs and pickled vegetables and aspics; finally hot foods; served as a buffet meal +n07593471 a choice or delicious dish +n07593774 a commercial preparation containing most of the ingredients for a dish +n07593972 a commercial mix for making brownies +n07594066 a commercial mix for making a cake +n07594155 a commercial mix for making lemonade +n07594250 a commercially prepared mixture of flour and salt and a leavening agent +n07594737 a small tasty bit of food +n07594840 an aromatic or spicy dish served at the end of dinner or as an hors d'oeuvre +n07595051 a savory jelly made with gelatin obtained by boiling calves' feet +n07595180 burnt sugar; used to color and flavor food +n07595368 refined sugar molded into rectangular shapes convenient as single servings +n07595649 sugar from sugarcane used as sweetening agent +n07595751 very finely granulated sugar that was formerly sprinkled from a castor +n07595914 sugar granulated into a fine powder +n07596046 sugar in the form of small grains +n07596160 finely powdered sugar used to make icing +n07596362 dextrose used as sweetening agent +n07596452 unrefined or only partly refined sugar +n07596566 light brown cane sugar; originally from Guyana +n07596684 a food rich in sugar +n07596967 candy and other sweets considered collectively +n07597145 preserved or candied fruit +n07597263 a sweetened delicacy (as a preserve or pastry) +n07597365 a rich sweet made of flavored sugar and often combined with fruit or nuts +n07598256 a candy shaped as a bar +n07598529 a bar of candy made with carob powder +n07598622 a British sweet made with molasses and butter and almonds +n07598734 candy that is brittle +n07598928 a brittle transparent candy made by melting and cooling cane sugar +n07599068 a British candy flavored with brandy +n07599161 a large round hard candy +n07599242 a hard candy with lemon flavor and a yellow color and (usually) the shape of a lemon +n07599383 round piece of tart hard candy +n07599468 round flat candy +n07599554 a patty flavored with peppermint +n07599649 a candy that usually has a center of fondant or fruit or nuts coated in chocolate +n07599783 caramelized sugar cooled in thin sheets +n07599911 brittle containing peanuts +n07599998 a preparation (usually made of sweetened chicle) for chewing +n07600177 a ball of chewing gum with a coating of colored sugar +n07600285 a kind of chewing gum that can be blown into bubbles +n07600394 a hard brittle candy made with butter and brown sugar +n07600506 fruit cooked in sugar syrup and encrusted with a sugar crystals +n07600696 an apple that is covered with a candy-like substance (usually caramelized sugar) +n07600895 strips of gingerroot cooked in sugar syrup and coated with sugar +n07601025 strips of grapefruit peel cooked in sugar syrup and coated with sugar +n07601175 strips of lemon peel cooked in sugar and coated with sugar +n07601290 strips of orange peel cooked in sugar and coated with sugar +n07601407 strips of citrus peel cooked in a sugar syrup +n07601572 a hard candy in the shape of a rod (usually with stripes) +n07601686 a small yellow and white candy shaped to resemble a kernel of corn +n07601809 firm chewy candy made from caramelized sugar and butter and milk +n07602650 the sweet central portion of a piece of candy that is enclosed in chocolate or some other covering +n07604956 candy containing a fruit or nut +n07605040 a candy made by spinning sugar that has been boiled to a high temperature +n07605198 sugar-coated nut or fruit piece +n07605282 silvery candy beads used for decorating cakes +n07605380 candy made of a thick creamy sugar paste +n07605474 soft creamy candy +n07605597 fudge made with chocolate or cocoa +n07605693 white creamy fudge made with egg whites +n07605804 fudge made with brown sugar and butter and milk and nuts +n07605944 a jellied candy coated with sugar crystals +n07606058 chewy fruit-flavored jellied candy (sometimes medicated to soothe a sore throat) +n07606191 a crisp candy made with honey +n07606278 a candy that is flavored with a mint oil +n07606419 a candy that is flavored with an extract of the horehound plant +n07606538 a candy flavored with peppermint oil +n07606669 sugar-glazed jellied candy +n07606764 any of several bite-sized candies +n07606933 a candy kiss that resembles toffee +n07607027 a kiss made of sugar and egg white and baked slowly +n07607138 a kiss that consists of a conical bite-sized piece of chocolate +n07607361 a black candy flavored with the dried root of the licorice plant +n07607492 a candy shaped like a small lifesaver +n07607605 hard candy on a stick +n07607707 a small aromatic or medicated candy +n07607832 a scented lozenge used to sweeten the breath (e.g. to conceal the odor of tobacco) +n07607967 a medicated lozenge used to soothe the throat +n07608098 spongy confection made of gelatin and sugar and corn syrup and dusted with powdered sugar +n07608245 almond paste and egg whites +n07608339 nuts or fruit pieces in a sugar paste +n07608429 a bar of nougat candy often dipped in chocolate +n07608533 paste of nuts and sugar on a pastry base cut into bars +n07608641 bar of peanuts in taffy +n07608721 popcorn combined with a thick sugar or molasses or caramel syrup and formed into balls +n07608866 cookie-sized candy made of brown sugar and butter and pecans +n07608980 sugar in large hard clear crystals on a string +n07609083 hard bright-colored stick candy (typically flavored with peppermint) +n07609215 made by boiling pure sugar until it hardens +n07609316 any of various small sugary candies +n07609407 chewy candy of sugar or syrup boiled until thick and pulled until glossy +n07609549 taffy made of molasses +n07609632 creamy chocolate candy +n07609728 a jellied candy typically flavored with rose water +n07609840 a dish served as the last course of a meal +n07610295 (classical mythology) the food and drink of the gods; mortals who ate it became immortal +n07610502 fruit dessert made of oranges and bananas with shredded coconut +n07610620 cake covered with ice cream and meringue browned quickly in an oven +n07610746 sweet almond-flavored milk pudding thickened with gelatin or cornstarch; usually molded +n07610890 a mold lined with cake or crumbs and filled with fruit or whipped cream or custard +n07611046 dessert of stewed or baked fruit +n07611148 dessert made by baking fruit wrapped in pastry +n07611267 open pastry filled with fruit or custard +n07611358 any of various desserts prepared by freezing +n07611733 dessert made of sweetened milk coagulated with rennet +n07611839 a light creamy dish made from fish or meat and set with gelatin +n07611991 a rich, frothy, creamy dessert made with whipped egg whites and heavy cream +n07612137 a dessert consisting of a meringue base or cup filled with fruit and whipped cream +n07612273 ice cream and peaches with a liqueur +n07612367 a dessert made of sugar and stiffly beaten egg whites or cream and usually flavored with fruit +n07612530 dessert made of prune puree and whipped cream +n07612632 any of various soft sweet desserts thickened usually with flour and baked or boiled or steamed +n07612996 (British) the dessert course of a meal (`pud' is used informally) +n07613158 sweetened cream beaten with wine or liquor +n07613266 an Italian dessert consisting of layers of sponge cake soaked with coffee and brandy or liqueur layered with mascarpone cheese and topped with grated chocolate +n07613480 a cold pudding made of layers of sponge cake spread with fruit or jelly; may be decorated with nuts, cream, or chocolate +n07613671 a trifle soaked in wine and decorated with almonds and candied fruit +n07613815 fruit-flavored dessert (trade mark Jell-O) made from a commercially prepared gelatin powder +n07614103 apples wrapped in pastry and baked +n07614198 a frozen dessert with fruit flavoring (especially one containing no milk) +n07614348 an ice containing no milk but having a mushy consistency; usually made from fruit juice +n07614500 frozen dessert containing cream and sugar and flavoring +n07614730 ice cream in a crisp conical wafer +n07614825 ice cream flavored with chocolate +n07615052 a block of ice cream with 3 or 4 layers of different colors and flavors +n07615190 ice cream flavored with fresh peaches +n07615289 a frozen dessert made primarily of fruit juice and sugar, but also containing milk or egg-white or gelatin +n07615460 ice cream flavored with fresh strawberries +n07615569 ice cream containing chopped candied fruits +n07615671 ice cream flavored with vanilla extract +n07615774 ice cream or water ice on a small wooden stick +n07615954 similar to ice cream but made of milk +n07616046 a soft frozen dessert of sweetened flavored yogurt +n07616174 ball of crushed ice with fruit syrup +n07616265 ball of ice cream covered with coconut and usually chocolate sauce +n07616386 layers of ice cream and syrup and whipped cream +n07616487 ice cream served with a topping +n07616590 a dessert of sliced fruit and ice cream covered with whipped cream and cherries and nuts +n07616748 a banana split lengthwise and topped with scoops of ice cream and sauces and nuts and whipped cream +n07616906 a chilled dessert consisting of a mixture of custard and nuts and (sometimes) liquor +n07617051 dessert resembling ice cream but with a boiled custard base +n07617188 any of various soft thick unsweetened baked dishes +n07617344 a bland custard or pudding especially of oatmeal +n07617447 mousse made with fish +n07617526 mousse made with chicken +n07617611 dessert mousse made with chocolate +n07617708 a rich steamed or boiled pudding that resembles cake +n07617839 pudding made with grated carrots +n07617932 pudding made of corn and cream and egg +n07618029 a pudding cooked by steaming +n07618119 a stiff flour pudding steamed or boiled usually and containing e.g. currants and raisins and citron +n07618281 sweet vanilla flavored custard-like pudding usually thickened with flour rather than eggs +n07618432 sweet chocolate flavored custard-like pudding usually thickened with flour rather than eggs +n07618587 baked pudding of apples and breadcrumbs +n07618684 a rich frozen pudding made of chopped chestnuts and maraschino cherries and candied fruits and liqueur or rum +n07618871 a pudding made with strained split peas mixed with egg +n07619004 sweetened mixture of milk and eggs baked or boiled or frozen +n07619208 baked custard topped with caramel +n07619301 custard sauce flavored with vanilla or a liqueur +n07619409 custard sprinkled with sugar and broiled +n07619508 a custard containing fruit +n07619881 granular preparation of cassava starch used to thicken especially puddings +n07620047 sweet pudding thickened with tapioca +n07620145 pudding made of suet pastry spread with jam or fruit and rolled up and baked or steamed +n07620327 a sweet or savory pudding made with suet and steamed or boiled +n07620597 a rich custard set with gelatin +n07620689 cherry preserved in true or imitation maraschino liqueur +n07621264 colored beads of sugar used as a topping on e.g. candies and cookies +n07621497 light foamy custard-like dessert served hot or chilled +n07621618 something (such as parsley) added to a dish for flavor or decoration +n07623136 a dough of flour and water and shortening +n07624466 a dish made by folding a piece of pastry over a filling +n07624666 turnover with an apple filling +n07624757 (Yiddish) a baked or fried turnover filled with potato or meat or cheese; often eaten as a snack +n07624924 small fruit or meat turnover baked or fried +n07625061 small turnover of Indian origin filled with vegetables or meat and fried and served hot +n07625324 individual serving of minced e.g. meat or fish in a rich creamy sauce baked in a small pastry mold or timbale shell +n07627931 dough used for very light flaky rich pastries +n07628068 tissue thin sheets of pastry used especially in Greek dishes +n07628181 batter for making light hollow cases to hold various fillings +n07631926 ice cream molded to look like a cake +n07639069 a small ring-shaped friedcake +n07641928 a fried ball or patty of flaked fish and mashed potatoes +n07642361 a long fillet of fish breaded and fried +n07642471 fruit preserved by cooking with sugar +n07642742 thick dark spicy puree of apples +n07642833 a Chinese preserve of mixed fruits and ginger +n07642933 preserve of crushed fruit +n07643026 a conserve with a thick consistency; made with lemons and butter and eggs and sugar +n07643200 made with strawberries +n07643306 a preserve made of the jelled juice of fruit +n07643474 jelly made from apple juice +n07643577 a tart apple jelly made from crab apples +n07643679 jelly made from grape juice +n07643764 a preserve made of the pulp and rind of citrus fruits +n07643891 marmalade made from oranges +n07643981 an edible jelly (sweet or pungent) made with gelatin and used as a dessert or salad base or a coating for foods +n07644244 jellied dessert made with gelatin and fruit juice or water +n07648913 crisp spicy chicken wings +n07648997 chicken wings cooked in barbecue sauce +n07650792 soft semiliquid food +n07650903 food chopped into small bits +n07651025 food prepared by cooking and straining or processed in a blender +n07654148 meat that has been barbecued or grilled in a highly seasoned sauce +n07654298 an Indian dish made with highly seasoned rice and meat or fish or vegetables +n07655067 lightly sauteed veal cutlets spread with a Soubise sauce and liver paste then sprinkled with grated Parmesan and baked briefly +n07655263 a dish of sauteed food +n07663899 small flat mass of chopped food +n07665438 sauteed veal cutlet in a breadcrumb-and-cheese coating served with tomato sauce +n07666176 thin slices of veal stuffed with cheese and ham and then sauteed +n07672914 a spread made chiefly from vegetable oils and used as a substitute for butter +n07678586 spiced mixture of chopped raisins and apples and other ingredients with or without meat +n07678729 a mixture of seasoned ingredients used to stuff meats and vegetables +n07678953 stuffing for turkey +n07679034 stuffing made with oysters +n07679140 mixture of ground raw chicken and mushrooms with pistachios and truffles and onions and parsley and lots of butter and bound with eggs +n07679356 food made from dough of flour or meal and usually raised with yeast or baking powder and then baked +n07680168 a yeast-raised bread made of white flour and cornmeal and molasses +n07680313 a small loaf or roll of soft bread +n07680416 a rich currant cake or bun +n07680517 a crisp stick-shaped roll; often served with soup +n07680655 a long slender crusty breadstick +n07680761 dark steamed bread made of cornmeal wheat and flour with molasses and soda and milk or water +n07680932 small rounded bread either plain or sweet +n07681264 sweetened buns to be eaten with tea +n07681355 bread containing caraway seeds +n07681450 (Judaism) a loaf of white bread containing eggs and leavened with yeast; often formed into braided loaves and glazed with eggs before baking +n07681691 bread flavored with cinnamon often containing raisins +n07681805 bread made with cracked wheat that has been ground fine +n07681926 a thin crisp wafer made of flour and water with or without leavening and shortening; unsweetened or semisweet +n07682197 a small piece of toasted or fried bread; served in soup or salads +n07682316 bread made with whole wheat flour +n07682477 round, raised muffin cooked on a griddle; usually split and toasted before being eaten +n07682624 any of various breads made from usually unleavened dough +n07682808 French or Italian bread sliced and spread with garlic butter then crisped in the oven +n07682952 bread made with gluten flour +n07683039 bread made of graham (whole wheat) flour +n07683138 a technical name for the bread used in the service of Mass or Holy Communion +n07683265 the thin wafer-like bread of Scandinavia +n07683360 a flat bread made of oat or barley flour; common in New England and Scotland +n07683490 flat pancake-like bread cooked on a griddle +n07683617 usually small round bread that can open into a pocket for filling +n07683786 a shaped mass of baked bread that is usually sliced before eating +n07684084 a loaf of French bread +n07684164 brittle flat bread eaten at Passover +n07684289 leavened bread baked in a clay oven in India; usually shaped like a teardrop +n07684422 bread containing finely minced onions +n07684517 bread containing raisins +n07684600 breads made with a leavening agent that permits immediate baking +n07684938 moist bread containing banana pulp +n07685031 bread containing chopped dates +n07685118 bread containing chopped dates and nuts +n07685218 bread containing chopped nuts +n07685303 thin flat unleavened cake of baked oatmeal +n07685399 round loaf made with soda and buttermilk; often containing caraway seeds and raisins +n07685546 usually cooked in a skillet over an open fire: especially cornbread with ham bits and sometimes Irish soda bread +n07685730 any of various breads made entirely or partly with rye flour +n07685918 bread made of coarse rye flour +n07686021 (Judaism) bread made with rye flour; usually contains caraway seeds +n07686202 a rye bread made with molasses or brown sugar +n07686299 a moist aromatic yeast-raised bread made with rye flour and molasses and orange rind +n07686461 white wheat bread raised by a salt-tolerant bacterium in a mixture of salt and either cornmeal or potato pulp +n07686634 a crisp bread of fine white flour +n07686720 made with a starter of a small amount of dough in which fermentation is active +n07686873 slices of bread that have been toasted +n07687053 thin disk of unleavened bread used in a religious service (especially in the celebration of the Eucharist) +n07687211 bread made with finely ground and usually bleached wheat flour +n07687381 narrow French stick loaf +n07687469 a crusty sourdough bread often baked in long slender tapered loaves or baguettes +n07687626 unsweetened yeast-raised bread made without shortening and baked in long thick loaves with tapered ends +n07687789 bread made primarily of cornmeal +n07688021 baked in a pan or on a griddle (southern and midland) +n07688130 cornbread usually containing ham or bacon bits and cooked in a skillet +n07688265 corn bread wrapped in cabbage leaves and baked in hot ashes (southern) +n07688412 thin usually unleavened johnnycake made of cornmeal; originally baked on the blade of a hoe over an open fire (southern) +n07688624 cornbread often made without milk or eggs and baked or fried (southern) +n07688757 small oval cake of corn bread baked or fried (chiefly southern) +n07688898 deep-fried cornbread ball (southern) +n07689003 cornbread usually cooked pancake-style on a griddle (chiefly New England) +n07689217 form of johnnycake +n07689313 soft bread made of cornmeal and sometimes rice or hominy; must be served with a spoon (chiefly southern) +n07689490 buttered toast with sugar and cinnamon (and nutmeg and grated lemon peel) +n07689624 buttered toast with sugar and grated orange rind and a little orange juice +n07689757 very thin crisp brown toast +n07689842 slice of sweet raised bread baked again until it is brown and hard and crisp +n07690019 a long bun shaped to hold a frankfurter +n07690152 a round bun shaped to hold a hamburger patty +n07690273 a sweet quick bread baked in a cup-shaped pan +n07690431 muffin containing bran +n07690511 cornbread muffin +n07690585 light puffy bread made of a puff batter and traditionally baked in the pan with roast beef +n07690739 light hollow muffin made of a puff batter (individual Yorkshire pudding) baked in a deep muffin cup +n07690892 small biscuit (rich with cream and eggs) cut into diamonds or sticks and baked in an oven or (especially originally) on a griddle +n07691091 a scone made by dropping a spoonful of batter on a griddle +n07691237 moderately sweet raised roll containing spices and raisins and citron and decorated with a cross-shaped sugar glaze +n07691539 a light roll rich with eggs and butter and somewhat sweet +n07691650 very rich flaky crescent-shaped roll +n07691758 yeast-raised roll with a hard crust +n07691863 yeast-raised roll with a soft crust +n07691954 rounded raised poppy-seed roll made of a square piece of dough by folding the corners in to the center +n07692114 yeast-raised dinner roll made by folding a disk of dough before baking +n07692248 yeast-raised dinner roll made by baking three small balls of dough in each cup of a muffin pan +n07692405 yeast-raised roll flavored with onion +n07692517 flat crusty-bottomed onion roll +n07692614 any of numerous yeast-raised sweet rolls with our without raisins or nuts or spices or a glaze +n07692887 almond-flavored yeast-raised pastry shaped in an irregular semicircle resembling a bear's claw +n07693048 rolled dough spread with cinnamon and sugar (and raisins) then sliced before baking +n07693223 rolled dough spread with sugar and nuts then sliced and baked in muffin tins with honey or sugar and butter in the bottom +n07693439 pinwheel-shaped rolls spread with cinnamon and sugar and filled with e.g. jam before baking +n07693590 light sweet yeast-raised roll usually filled with fruits or cheese +n07693725 (Yiddish) glazed yeast-raised doughnut-shaped roll with hard crust +n07693889 bagel flavored with onion +n07693972 small round bread leavened with baking-powder or soda +n07694169 biscuit made from dough rolled and cut +n07694403 leavened with baking powder +n07694516 very tender biscuit partially leavened with buttermilk and soda +n07694659 very short biscuit dough baked as individual biscuits or a round loaf; served with sweetened fruit and usually whipped cream +n07694839 very hard unsalted biscuit or bread; a former ship's staple +n07695187 a cracker sprinkled with salt before baking +n07695284 unsweetened cracker leavened slightly with soda and cream of tartar +n07695410 a small dry usually round cracker +n07695504 a thin flour-and-water biscuit usually made without shortening; often served with cheese +n07695652 semisweet whole-wheat cracker +n07695742 glazed and salted cracker typically in the shape of a loose knot +n07695878 a pretzel made of soft bread +n07695965 two (or more) slices of bread with a filling between them +n07696403 a serving consisting of a sandwich or sandwiches with garnishes +n07696527 a sandwich +n07696625 a sandwich made with a filling of sliced ham +n07696728 a sandwich made with a filling of sliced chicken +n07696839 made with three slices of usually toasted bread +n07696977 sandwich without a covering slice of bread +n07697100 a sandwich consisting of a fried cake of minced beef served on a bun, often with other ingredients +n07697313 a hamburger with melted cheese on it +n07697408 a sandwich that resembles a hamburger but made with tuna instead of beef +n07697537 a frankfurter served hot on a bun +n07697699 ground beef (not a patty) cooked in a spicy sauce and served on a bun +n07697825 a large sandwich made of a long crusty roll split lengthwise and filled with meats and cheese (and tomato and onion and lettuce and condiments); different names are used in different sections of the United States +n07698250 a Greek sandwich: sliced roast lamb with onion and tomato stuffed into pita bread +n07698401 sandwich filled with slices of bacon and tomato with lettuce +n07698543 a hot sandwich with corned beef and Swiss cheese and sauerkraut on rye bread +n07698672 a sandwich made from a western omelet +n07698782 a sandwich in which the filling is rolled up in a soft tortilla +n07700003 spaghetti served with a tomato sauce +n07703889 sweetened porridge made of tapioca or flour or oatmeal cooked quickly in milk or water +n07704054 a thin porridge (usually oatmeal or cornmeal) +n07704205 a Chinese rice gruel eaten for breakfast +n07704305 a thin porridge or soup (usually oatmeal and water flavored with meat) +n07705931 edible reproductive body of a seed plant especially one having sweet flesh +n07707451 edible seeds or roots or stems or leaves or bulbs or tubers or nonsweet fruits of any of numerous herbaceous plant +n07708124 a vegetable cut into thin strips (usually used as a garnish) +n07708398 an uncooked vegetable +n07708512 raw vegetables cut into bite-sized strips and served with a dip +n07708685 celery stalks cut into small sticks +n07708798 the seedpod of a leguminous plant (such as peas or beans or lentils) +n07709046 edible seeds of various pod-bearing plants (peas or beans or lentils etc.) +n07709172 any of various herbaceous plants whose leaves or stems or flowers are cooked and used for food or seasoning +n07709333 any of various leafy plants or their leaves and stems eaten as vegetables +n07709701 succulent and aromatic young dark green leaves used in Chinese and Vietnamese and Japanese cooking +n07709881 cheeselike food made of curdled soybean milk +n07710007 any of several fruits of plants of the family Solanaceae; especially of the genera Solanum, Capsicum, and Lycopersicon +n07710283 any of various fleshy edible underground roots or tubers +n07710616 an edible tuber native to South America; a staple food of Ireland +n07710952 potato that has been cooked by baking it in an oven +n07711080 strips of potato fried in deep fat +n07711232 sliced pieces of potato fried in a pan until brown and crisp +n07711371 a baked potato served with the jacket on +n07711569 potato that has been peeled and boiled and then mashed +n07711683 crisp fried potato peeling +n07711799 similar to the common potato +n07711907 edible tuberous root of various yam plants of the genus Dioscorea grown in the tropics world-wide for food +n07712063 the edible tuberous root of the sweet potato vine which is grown widely in warm regions of the United States +n07712267 sweet potato with deep orange flesh that remains moist when baked +n07712382 food for light meals or for eating between meals +n07712559 a thin crisp slice of potato fried in deep fat +n07712748 thin piece of cornmeal dough fried +n07712856 a small piece of tortilla +n07712959 a tortilla chip topped with cheese and chili-pepper and broiled +n07713074 egg-shaped vegetable having a shiny skin typically dark purple but occasionally white or yellow +n07713267 long pinkish sour leafstalks usually eaten cooked and sweetened +n07713395 a vegetable of the mustard family: especially mustard greens; various cabbages; broccoli; cauliflower; brussels sprouts +n07713763 leaves eaten as cooked greens +n07713895 any of various types of cabbage +n07714078 coarse curly-leafed cabbage +n07714188 kale that has smooth leaves +n07714287 elongated head of crisp celery-like stalks and light green leaves +n07714448 elongated head of dark green leaves on thick white stalks +n07714571 any of several varieties of cabbage having a large compact globular head; may be steamed or boiled or stir-fried or used raw in coleslaw +n07714802 compact head of purplish-red leaves +n07714895 head of soft crinkly leaves +n07714990 branched green undeveloped flower heads +n07715103 compact head of white undeveloped flowers +n07715221 the small edible cabbage-like buds growing along a stalk of the brussels sprout plant +n07715407 slightly bitter dark green leaves and clustered flower buds +n07715561 edible fruit of a squash plant; eaten as a vegetable +n07715721 any of various fruits of the gourd family that mature during the summer; eaten while immature and before seeds and rind harden +n07716034 squash having yellow skin and yellowish flesh and usually elongated neck +n07716203 yellow squash with a thin curved neck and somewhat warty skin +n07716358 small cucumber-shaped vegetable marrow; typically dark green +n07716504 large elongated squash with creamy to deep green skins +n07716649 squash resembling zucchini +n07716750 round greenish-white squash having one face flattened with a scalloped edge +n07716906 medium-sized oval squash with flesh in the form of strings that resemble spaghetti +n07717070 any of various fruits of the gourd family with thick rinds and edible yellow to orange flesh that mature in the fall and can be stored for several months +n07717410 small dark green or yellow ribbed squash with yellow to orange flesh +n07717556 buff-colored squash with a long usually straight neck and sweet orange flesh +n07717714 large football-shaped winter squash with a warty grey-green rind +n07717858 large squash shaped somewhat like a turban usually with a rounded central portion protruding from the blossom end +n07718068 drum-shaped squash with dark green rind marked in silver or grey +n07718195 globose or ovoid squash with striped grey and green warty rind +n07718329 a squash with a hard rind and an elongated curved neck +n07718472 cylindrical green fruit with thin green rind and white flesh eaten as a vegetable; related to melons +n07718671 small prickly cucumber +n07718747 a thistlelike flower head with edible fleshy leaves and heart +n07718920 the tender fleshy center of the immature artichoke flower +n07719058 sunflower tuber eaten raw or boiled or sliced thin and fried as Saratoga chips +n07719213 edible young shoots of the asparagus plant +n07719330 edible young shoots of bamboo +n07719437 a newly grown bud (especially from a germinating seed) +n07719616 any of various sprouted beans: especially mung beans or lentils or edible soybeans +n07719756 sprouted alfalfa seeds +n07719839 round red root vegetable +n07719980 young leaves of the beetroot +n07720084 white-rooted beet grown as a source of sugar +n07720185 cultivated as feed for livestock +n07720277 long succulent whitish stalks with large green leaves +n07720442 sweet and hot varieties of fruits of plants of the genus Capsicum +n07720615 large mild crisp thick-walled capsicum peppers usually bell-shaped or somewhat oblong; commonly used in salads +n07720875 large bell-shaped sweet pepper in green or red or yellow or orange or black varieties +n07721018 a sweet pepper that becomes red when ripe +n07721118 round sweet pepper +n07721195 fully ripened sweet red pepper; usually cooked +n07721325 any of various pungent capsicum fruits +n07721456 very hot and finely tapering pepper of special pungency +n07721678 hot green or red pepper of southwestern United States and Mexico +n07721833 a ripe jalapeno that has been dried for use in cooking +n07721942 a long and often twisted hot red pepper +n07722052 very hot red peppers; usually long and thin; some very small +n07722217 an aromatic flavorful vegetable +n07722390 mild flat onion grown in warm areas +n07722485 a young onion before the bulb has enlarged; eaten in salads +n07722666 sweet-flavored onion grown in Georgia +n07722763 large mild and succulent onion; often eaten raw +n07722888 flat mild onion having purplish tunics; used as garnish on hamburgers and salads +n07723039 related to onions; white cylindrical bulb and flat dark-green leaves +n07723177 small mild-flavored onion-like or garlic-like clustered bulbs used for seasoning +n07723330 greens suitable for eating uncooked as in salads +n07723559 leaves of any of various plants of Lactuca sativa +n07723753 lettuce with relatively soft leaves in a loose head; easily broken or bruised +n07723968 lettuce with delicate and relatively crunchy leaves +n07724078 lettuce with relatively crisp leaves +n07724173 lettuce with relatively soft leaves +n07724269 lettuce with crisp tightly packed light-green leaves in a firm head +n07724492 lettuce with long dark-green leaves in a loosely packed elongated head +n07724654 lettuce with loosely curled leaves that do not form a compact head +n07724819 leaves having celery-like stems eaten raw or cooked +n07724943 any of various edible seeds of plants of the family Leguminosae used for food +n07725158 Old World tropical bean +n07725255 round flat seed of the lentil plant used for food +n07725376 seed of a pea plant used for food +n07725531 fresh pea +n07725663 a variety of large pea that is commonly processed and sold in cans +n07725789 green peas with flat edible pods +n07725888 green peas with edible pods that are very crisp and not flat +n07726009 dried hulled pea; used in soup +n07726095 large white roundish Asiatic legume; usually dried +n07726230 small highly nutritious seed of the tropical pigeon-pea plant +n07726386 coarse small-seeded pea often used as food when young and tender +n07726525 marrowfat peas that have been soaked overnight and then boiled; served with fish and chips +n07726672 eaten fresh as shell beans or dried +n07726796 any of numerous beans eaten either fresh or dried +n07727048 large dark red bean; usually dried +n07727140 white-seeded bean; usually dried +n07727252 mottled or spotted bean of southwestern United States; usually dried +n07727377 Mexican bean; usually dried +n07727458 black-seeded bean of South America; usually dried +n07727578 beans eaten before they are ripe as opposed to dried +n07727741 a French bean variety with light-colored seeds; usually dried +n07727868 immature bean pod eaten as a vegetable +n07728053 tender green beans without strings that easily snap into sections +n07728181 green beans with strings that must be removed +n07728284 flat-podded green bean +n07728391 long bean pods usually sliced into half-inch lengths; a favorite in Britain +n07728585 very small and slender green bean +n07728708 snap beans with yellow pods +n07728804 unripe beans removed from the pod before cooking +n07729000 broad flat beans simmered gently; never eaten raw +n07729142 relatively large lima beans +n07729225 small flat green bean similar to lima beans +n07729384 shell beans cooked as lima beans +n07729485 the most highly proteinaceous vegetable known; the fruit of the soybean plant is used in a variety of foods and as fodder (especially as a replacement for animal protein) +n07729828 seeds shelled and cooked as lima beans +n07729926 seeds used as livestock feed +n07730033 only parts eaten are roots and especially stalks (blanched and used as celery); related to artichokes +n07730207 orange root; important source of carotene +n07730320 a stick of carrot eaten raw +n07730406 stalks eaten raw or cooked or used as seasoning +n07730562 any of several types of commercially grown celery having green stalks +n07730708 thickened edible aromatic root of a variety of celery plant +n07730855 crisp spiky leaves with somewhat bitter taste +n07731006 prized variety of chicory having globose heads of red leaves +n07731122 a drink resembling coffee that is sometimes substituted for it +n07731284 root of the chicory plant roasted and ground to substitute for or adulterate coffee +n07731436 trade mark for a coffee substitute invented by C. W. Post and made with chicory and roasted grains +n07731587 variety of endive having leaves with irregular frilled edges +n07731767 young broad-leaved endive plant deprived of light to form a narrow whitish head +n07731952 ears of corn that can be prepared and served for human food +n07732168 corn that can be eaten as a vegetable while still young and soft +n07732302 hulled corn with the bran and germ removed +n07732433 hominy prepared by bleaching in lye +n07732525 hominy prepared by milling to pellets of medium size +n07732636 small kernels of corn exploded by heat +n07732747 pungent leaves of any of numerous cruciferous herbs +n07732904 cresses that grow in clear ponds and streams +n07733005 cress cultivated for salads and garnishes +n07733124 cress cultivated for winter salads +n07733217 edible leaves of the common dandelion collected from the wild; used in salads and in making wine +n07733394 long mucilaginous green pods; may be simmered or sauteed but used especially in soups and stews +n07733567 fleshy turnip-shaped edible stem of the kohlrabi plant +n07733712 leaves collected from the wild +n07733847 leafy greens collected from the wild and used as a substitute for spinach +n07734017 mildly acid red or yellow pulpy fruit eaten as a vegetable +n07734183 any of several large tomatoes with thick flesh +n07734292 small red to yellow tomatoes +n07734417 a kind of cherry tomato that is frequently used in cooking rather than eaten raw +n07734555 small edible yellow to purple tomato-like fruit enclosed in a bladderlike husk +n07734744 fleshy body of any of numerous edible fungi +n07734879 mushrooms stuffed with any of numerous mixtures of e.g. meats or nuts or seafood or spinach +n07735052 either of two long roots eaten cooked +n07735179 long white salsify +n07735294 long black salsify +n07735404 whitish edible root; eaten cooked +n07735510 usually large pulpy deep-yellow round fruit of the squash family maturing in late summer or early autumn +n07735687 pungent fleshy edible root +n07735803 root of any of several members of the mustard family +n07735981 white root of a turnip plant +n07736087 the large yellow root of a rutabaga plant used as food +n07736256 tender leaves of young white turnips +n07736371 large sour-tasting arrowhead-shaped leaves used in salads and sauces +n07736527 greens having small tart oval to pointed leaves; preferred to common sorrel for salads +n07736692 dark green leaves; eaten cooked or raw in salads +n07736813 tropical starchy tuberous root +n07736971 edible subterranean fungus of the genus Tuber +n07737081 a hard-shelled seed consisting of an edible kernel or meat enclosed in a woody or leathery shell +n07737594 nut tasting like roasted chestnuts; a staple food of Australian aborigines +n07737745 pod of the peanut vine containing usually 2 nuts or seeds; `groundnut' and `monkey nut' are British terms +n07738105 fruit (especially peach) whose flesh does not adhere to the pit +n07738224 fruit (especially peach) whose flesh adheres strongly to the pit +n07739035 fruit that has fallen from the tree +n07739125 fruit with red or yellow or green skin and sweet to tart crisp whitish flesh +n07739344 small sour apple; suitable for preserving +n07739506 an apple used primarily for eating raw without cooking +n07739923 an American eating apple with red or yellow and red skin +n07740033 large apple with a red skin +n07740115 a yellow Pippin with distinctive flavor +n07740220 variety of sweet eating apples +n07740342 a sweet eating apple with yellow skin +n07740461 a sweet eating apple with bright red skin; most widely grown apple worldwide +n07740597 an eating apple that somewhat resembles a McIntosh; used as both an eating and a cooking apple +n07740744 yellow apple that ripens in late autumn; eaten raw +n07740855 red late-ripening apple; primarily eaten raw +n07740954 early-ripening apple popular in the northeastern United States; primarily eaten raw but suitable for applesauce +n07741138 similar to McIntosh; juicy and late-ripening +n07741235 large late-ripening apple with skin striped with yellow and red +n07741357 any of several varieties of apples with red skins +n07741461 any of numerous superior eating apples with yellow or greenish yellow skin flushed with red +n07741623 used primarily as eating apples +n07741706 apple grown chiefly in the Shenandoah Valley +n07741804 crisp apple with dark red skin +n07741888 crisp tart apple; good for eating raw and suitable for cooking +n07742012 an apple used primarily in cooking for pies and applesauce etc +n07742224 very large cooking apple +n07742313 apple with a green skin and hard tart flesh +n07742415 apple used primarily in cooking +n07742513 apple used primarily in cooking +n07742605 large red apple used primarily for baking +n07742704 any of numerous small and pulpy edible fruits; used as desserts or in making jams and jellies and preserves +n07743224 blue-black berries similar to American blueberries +n07743384 blue-black berry similar to blueberries and bilberries of the eastern United States +n07743544 sweet edible dark-blue berries of either low-growing or high-growing blueberry plants +n07743723 spicy red berrylike fruit; source of wintergreen oil +n07743902 very tart red berry used for sauce or juice +n07744057 tart red berries similar to American cranberries but smaller +n07744246 any of several tart red or black berries used primarily for jellies and jams +n07744430 currant-like berry used primarily in jams and jellies +n07744559 small black berries used in jams and jellies +n07744682 small red berries used primarily in jams and jellies +n07744811 large sweet black or very dark purple edible aggregate fruit of any of various bushes of the genus Rubus +n07745046 large raspberry-flavored fruit; cross between blackberries and raspberries +n07745197 blackberry-like fruits of any of several trailing blackberry bushes +n07745357 large red variety of the dewberry +n07745466 red or black edible aggregate berries usually smaller than the related blackberries +n07745661 edible purple or red berries +n07745940 sweet fleshy red fruit +n07746038 small edible dark purple to black berry with large pits; southern United States +n07746186 orange fruit resembling a plum; edible when fully ripe +n07746334 acid red or yellow cherry-like fruit of a tropical American shrub very rich in vitamin C +n07746551 deeply ridged yellow-brown tropical fruit; used raw as a vegetable or in salad or when fully ripe as a dessert +n07746749 tropical cylindrical fruit resembling a pinecone with pineapple-banana flavor +n07746910 edible scarlet plumlike fruit of a South African plant +n07747055 any of numerous fruits of the genus Citrus having thick rind and juicy pulp; grown in warm regions +n07747607 round yellow to orange fruit of any of several citrus trees +n07747811 large sweet easily-peeled Florida fruit with deep orange rind +n07747951 a somewhat flat reddish-orange loose skinned citrus of China +n07748157 a mandarin orange of a deep reddish orange color and few seeds +n07748276 medium-sized largely seedless mandarin orange with thin smooth skin +n07748416 any of various deep orange mandarins grown in the United States and southern Africa +n07748574 large sweet juicy hybrid between tangerine and grapefruit having a thick wrinkled skin +n07748753 highly acidic orange used especially in marmalade +n07748912 orange with sweet juicy pulp; often has a thin skin +n07749095 sweet almost seedless orange of Israel +n07749192 seedless orange enclosing a small secondary fruit at the apex +n07749312 variety of sweet orange cultivated extensively in Florida and California +n07749446 small oval citrus fruit with thin sweet rind and very acid pulp +n07749582 yellow oval fruit with juicy acidic flesh +n07749731 the green acidic fruit of any of various lime trees +n07749870 small yellow-green limes of southern Florida +n07749969 large yellow fruit with somewhat acid juicy pulp; usual serving consists of a half +n07750146 large pear-shaped fruit similar to grapefruit but with coarse dry pulp +n07750299 more aromatic and acid tasting than oranges; used in beverages and marmalade +n07750449 large lemonlike fruit with thick aromatic rind; usually preserved +n07750586 oval-shaped edible seed of the almond tree +n07750736 an almond covered with a sugar coating that is hard and flavored and colored +n07750872 downy yellow to rosy-colored fruit resembling a small peach +n07751004 downy juicy fruit with sweet yellowish or whitish flesh +n07751148 a variety or mutation of the peach that has a smooth skin +n07751280 highly colored edible fruit of pitahaya cactus having bright red juice; often as large as a peach +n07751451 any of numerous varieties of small to medium-sized round or oval fruit having a smooth skin and a single pit +n07751737 dark purple plum of the damson tree +n07751858 sweet green or greenish-yellow variety of plum +n07751977 small dark purple fruit used especially in jams and pies +n07752109 small sour dark purple fruit of especially the Allegheny plum bush +n07752264 a large red plum served as dessert +n07752377 fruit preserved by drying +n07752514 apricots preserved by drying +n07752602 dried plum +n07752664 dried grape +n07752782 dried seedless grape +n07752874 seeded grape that has been dried +n07752966 small dried seedless raisin grown in the Mediterranean region and California; used in cooking +n07753113 fleshy sweet pear-shaped yellowish or purple multiple fruit eaten fresh or preserved or dried +n07753275 large sweet fleshy tropical fruit with a terminal tuft of stiff leaves; widely cultivated +n07753448 West Indian fruit resembling the mango; often pickled +n07753592 elongated crescent-shaped yellow fruit with soft sweet flesh +n07753743 egg-shaped tropical fruit of certain passionflower vines; used for sherbets and confectionery and drinks +n07753980 the egg-shaped edible fruit of tropical American vines related to passionflowers +n07754155 apple-sized passion fruit of the West Indies +n07754279 the edible yellow fruit of the Jamaica honeysuckle +n07754451 a large round seedless or seeded fruit with a texture like bread; eaten boiled or baked or roasted or ground into flour; the roasted seeds resemble chestnuts +n07754684 immense East Indian fruit resembling breadfruit; it contains an edible pulp and nutritious seeds that are commonly roasted +n07754894 seed of the cacao tree; ground roasted beans are source of chocolate +n07755089 powder of ground roasted cacao beans with most of the fat removed +n07755262 ovoid orange-yellow mealy sweet fruit of Florida and West Indies +n07755411 any of numerous fruits of the gourd family having a hard rind and sweet juicy flesh +n07755619 a bite of melon cut as a sphere +n07755707 the fruit of a muskmelon vine; any of several sweet melons related to cucumbers +n07755929 the fruit of a cantaloup vine; small to medium-sized melon with yellowish flesh +n07756096 the fruit of the winter melon vine; a green melon with pale green to orange flesh that keeps well +n07756325 the fruit of a variety of winter melon vine; a large smooth greenish-white melon with pale green flesh +n07756499 the fruit of a variety of winter melon vine; a large green melon with orange flesh +n07756641 the fruit of a variety of muskmelon vine; a melon with netlike markings and deep green flesh +n07756838 melon having yellowish rind and whitish flesh +n07756951 large oblong or roundish melon with a hard green rind and sweet watery red or occasionally yellowish pulp +n07757132 a red fruit with a single hard stone +n07757312 any of several fruits of cultivated cherry trees that have sweet flesh +n07757511 dark red or blackish sweet cherry +n07757602 large heart-shaped sweet cherry with soft flesh +n07757753 heart cherry with dark flesh and skin cherry +n07757874 Mexican black cherry +n07757990 acid cherries used for pies and preserves +n07758125 pale red sour cherry with colorless or nearly colorless juice +n07758260 cultivated sour cherry with dark-colored skin and juice +n07758407 plum-shaped whitish to almost black fruit used for preserves; tropical American +n07758582 any of various small cucumbers pickled whole +n07758680 any of various juicy fruit of the genus Vitis with green or purple skins; grow in clusters +n07758950 purplish-black wild grape of the eastern United States with tough skins that slip easily from the flesh; cultivated in many varieties +n07759194 slipskin grape; a purple table grape of the northeastern United States +n07759324 slipskin grape; a reddish American table grape +n07759424 dull-purple grape of southern United States +n07759576 amber-green muscadine grape of southeastern United States +n07759691 a grape whose skin slips readily from the pulp +n07759816 grape from a cultivated variety of the common grape vine of Europe +n07760070 red table grape of California +n07760153 sweet aromatic grape used for raisins and wine +n07760297 dark reddish-purple table grape of California +n07760395 pale yellow seedless grape used for raisins and wine +n07760501 variety of wine grape originally grown in Hungary; the prototype of vinifera grapes +n07760673 purplish-red table grape +n07760755 seedless green table grape of California +n07760859 the fruit of any of several tropical American trees of the genus Annona having soft edible pulp +n07761141 large tropical fruit with leathery skin and soft pulp; related to custard apples +n07761309 large spiny tropical fruit with tart pulp related to custard apples +n07761611 sweet pulpy tropical fruit with thick scaly rind and shiny black seeds +n07761777 whitish tropical fruit with a pinkish tinge related to custard apples; grown in the southern United States +n07761954 ovoid yellow fruit with very fragrant peach-colored flesh; related to custard apples +n07762114 fruit with yellow flesh; related to custard apples +n07762244 large oval melon-like tropical fruit with yellowish flesh +n07762373 South African fruit smelling and tasting like apricots; used for pickles and preserves +n07762534 maroon-purple gooseberry-like fruit of India having tart-sweet purple pulp used especially for preserves +n07762740 red pear-shaped tropical fruit with poisonous seeds; flesh is poisonous when unripe or overripe +n07762913 huge fruit native to southeastern Asia `smelling like Hell and tasting like Heaven'; seeds are roasted and eaten like nuts +n07763107 dark-green kiwi-sized tropical fruit with white flesh; used chiefly for jellies and preserves +n07763290 round one-inch Caribbean fruit with green leathery skin and sweet juicy translucent pulp; eaten like grapes +n07763483 a succulent orange-sized tropical fruit with a thick rind +n07763629 fuzzy brown egg-shaped fruit with slightly tart green flesh +n07763792 yellow olive-sized semitropical fruit with a large free stone and relatively little flesh; used for jellies +n07763987 two- to three-inch tropical fruit with juicy flesh suggestive of both peaches and pineapples +n07764155 large oval tropical fruit having smooth skin, juicy aromatic pulp, and a large hairy seed +n07764315 tropical fruit with a rough brownish skin and very sweet brownish pulp +n07764486 brown oval fruit flesh makes excellent sherbet +n07764630 large tropical seed pod with very tangy pulp that is eaten fresh or cooked with rice and fish or preserved for curries and chutneys +n07764847 a pear-shaped tropical fruit with green or blackish skin and rich yellowish pulp enclosing a single large seed +n07765073 sweet edible fruit of the date palm with a single long woody seed +n07765208 berrylike fruit of an elder used for e.g. wines and jellies +n07765361 tropical fruit having yellow skin and pink pulp; eaten fresh or used for e.g. jellies +n07765517 purplish tropical fruit +n07765612 yellow oval tropical fruit +n07765728 fruit of the wild plum of southern United States +n07765862 tough-skinned purple grapelike tropical fruit grown in Brazil +n07765999 dark red plumlike fruit of Old World buckthorn trees +n07766173 Chinese fruit having a thin brittle shell enclosing a sweet jellylike pulp and a single seed; often dried +n07766409 Asian fruit similar to litchi +n07766530 globular or ovoid tropical fruit with thick russet leathery rind and juicy yellow or reddish flesh +n07766723 tropical fruit from the Philippines having a mass of small seeds embedded in sweetish white pulp +n07766891 crabapple-like fruit used for preserves +n07767002 a South African globular fruit with brown leathery skin and pithy flesh having a sweet-acid taste +n07767171 sweet usually dark purple blackberry-like fruit of any of several mulberry trees of the genus Morus +n07767344 one-seeded fruit of the European olive tree usually pickled and used as a relish +n07767549 olives picked ripe and cured in brine then dried or pickled or preserved canned or in oil +n07767709 olives picked green and pickled in brine; infrequently stuffed with e.g. pimento +n07767847 sweet juicy gritty-textured fruit available in many varieties +n07768068 greenish-yellow pear +n07768139 a pear with firm flesh and a green skin +n07768230 juicy yellow pear +n07768318 small yellowish- to reddish-brown pear +n07768423 starchy banana-like fruit; eaten (always cooked) as a staple vegetable throughout the tropics +n07768590 hybrid between plum and apricot +n07768694 large globular fruit having many seeds with juicy red pulp in a tough brownish-red rind +n07768858 round or pear-shaped spiny fruit of any of various prickly pear cacti +n07769102 small yellow to orange fruit of the Barbados gooseberry cactus used in desserts and preserves and jellies +n07769306 red Australian fruit; used for dessert or in jam +n07769465 edible nutlike seed of the quandong fruit +n07769584 aromatic acid-tasting pear-shaped fruit used in preserves +n07769731 pleasantly acid bright red oval Malayan fruit covered with soft spines +n07769886 fruit of an East Indian tree similar to the rambutan but sweeter +n07770034 fragrant oval yellowish tropical fruit used in jellies and confections +n07770180 acid gritty-textured fruit +n07770439 African gourd-like fruit with edible pulp +n07770571 many are used as seasoning +n07770763 the edible seed of a pumpkin +n07770869 seed of betel palm; chewed with leaves of the betel pepper and lime as a digestive stimulant and narcotic in southeastern Asia +n07771082 small sweet triangular nut of any of various beech trees +n07771212 nut of any of various walnut trees having a wrinkled two-lobed seed with a hard shell +n07771405 American walnut having a very hard and thick woody shell +n07771539 nut with a wrinkled two-lobed seed and hard but relatively thin shell; widely used in cooking +n07771731 three-sided tropical American nut with white oily meat and hard brown shell +n07771891 oily egg-shaped nut of an American tree of the walnut family +n07772026 a large nutlike seed of a South American tree +n07772147 kidney-shaped nut edible only when roasted +n07772274 edible nut of any of various chestnut trees of the genus Castanea +n07772413 small nut of either of two small chestnut trees of the southern United States; resembles a hazelnut +n07772788 nut of any of several trees of the genus Corylus +n07772935 large hard-shelled oval nut with a fibrous husk containing thick white meat surrounding a central cavity filled (when fresh) with fluid or milk +n07773428 clear to whitish fluid from within a fresh coconut +n07774182 nut of Brazilian or West Indian palms +n07774295 small hard-shelled nut of North American hickory trees especially the shagbark hickories +n07774479 a flavoring extracted from the kola nut +n07774596 nutlike seed with sweet and crisp white meat +n07774719 smooth brown oval nut of south central United States +n07774842 edible seed of any of several nut pines especially some pinons of southwestern North America +n07775050 nut of Mediterranean trees having an edible green kernel +n07775197 edible seed of sunflowers; used as food and poultry feed and as a source of oil +n07783827 paste made primarily of anchovies; used in sauces and spreads +n07785487 a pickled herring filet that has been rolled or wrapped around a pickle +n07800091 food for domestic livestock +n07800487 a concentrated feed for cattle; processed in the form of blocks or cakes +n07800636 feed given to young animals isolated in a creep +n07800740 coarse food (especially for livestock) composed of entire plants or the leaves and stalks of a cereal crop +n07801007 grain grown for cattle feed +n07801091 bulky food like grass or hay for browsing or grazing horses or cattle +n07801342 fodder harvested while green and kept succulent by partial fermentation as in a silo +n07801508 mass of e.g. linseed or cottonseed or soybean from which the oil has been pressed; used as food for livestock +n07801709 ground oil cake +n07801779 leguminous plant grown for hay or forage +n07801892 a bean plant cultivated for use animal fodder +n07802026 grass mowed and cured for use as fodder +n07802152 a grass grown for hay +n07802246 the dried stalks and leaves of a field crop (especially corn) used as animal fodder after the grain has been harvested +n07802417 foodstuff prepared from the starchy grains of cereal grasses +n07802767 grain intended to be or that has been ground +n07802863 the hulled and crushed grain of various cereals +n07802963 small seed of any of various annual cereal grasses especially Setaria italica +n07803093 a grain of barley +n07803213 barley ground into small round pellets +n07803310 grain ground into flour +n07803408 parched crushed wheat +n07803545 grains of common wheat; sometimes cooked whole or cracked as cereal; usually ground into flour +n07803779 grains of wheat that have been crushed into small pieces +n07803895 heavy and filling (and usually starchy) food +n07803992 embryo of the wheat kernel; removed before milling and eaten as a source of vitamins +n07804152 seed of the annual grass Avena sativa (spoken of primarily in the plural as `oats') +n07804323 grains used as food either unpolished or more often polished +n07804543 unpolished rice retaining the yellowish-brown outer layer +n07804657 having husk or outer brown layers removed +n07804771 grains of aquatic grass of North America +n07804900 rice in the husk either gathered or still in the field +n07805006 wet feed (especially for pigs) consisting of mostly kitchen waste mixed with water or skimmed or sour milk +n07805254 mixture of ground animal feeds +n07805389 dry mash for poultry +n07805478 food of a ruminant regurgitated to be chewed again +n07805594 food given to birds; usually mixed seeds +n07805731 food prepared for animal pets +n07805966 food prepared for dogs +n07806043 food prepared for cats +n07806120 a mixture of seeds used to feed caged birds +n07806221 food mixtures either arranged on a plate or tossed and served with a moist dressing; usually consisting of or including greens +n07806633 salad tossed with a dressing +n07806774 tossed salad composed primarily of salad greens +n07806879 typically having fried croutons and dressing made with a raw egg +n07807002 cooked meats and eggs and vegetables usually arranged in rows around the plate and dressed with a salad dressing +n07807171 typically containing tomatoes and anchovies and garnished with black olives and capers +n07807317 containing meat or chicken or cheese in addition to greens and vegetables +n07807472 the combination salad prepared as a particular chef's specialty +n07807594 any of various salads having chopped potatoes as the base +n07807710 a salad having any of various pastas as the base +n07807834 having macaroni as the base +n07807922 salad composed of fruits +n07808022 typically made of apples and celery with nuts or raisins and dressed with mayonnaise +n07808166 lettuce and crabmeat dressed with sauce Louis +n07808268 based on pickled herring +n07808352 salad composed primarily of chopped canned tuna fish +n07808479 salad composed primarily of chopped chicken meat +n07808587 basically shredded cabbage +n07808675 savory jelly based on fish or meat stock used as a mold for meats or vegetables +n07808806 salad of meats or vegetables in gelatin +n07808904 a finely chopped salad with tomatoes and parsley and mint and scallions and bulgur wheat +n07809096 food that is a component of a mixture in cooking +n07809368 something added to food primarily for the savor it imparts +n07810531 a cube of evaporated seasoned meat extract +n07810907 a preparation (a sauce or relish or spice) to enhance flavor or enjoyment +n07811416 aromatic potherb used in cookery for its savory qualities +n07812046 a mixture of finely chopped fresh herbs +n07812184 any of a variety of pungent aromatic vegetable substances used for flavoring food +n07812662 an aromatic oil obtained from the spearmint plant +n07812790 fragrant yellow oil obtained from the lemon peel +n07812913 oil or flavoring obtained from the creeping wintergreen or teaberry plant +n07813107 white crystalline form of especially sodium chloride used to season and preserve food +n07813324 ground celery seed and salt +n07813495 ground dried onion and salt +n07813579 combination of salt and vegetable extracts and spices and monosodium glutamate +n07813717 crystals of citric acid used as seasoning +n07813833 Chinese seasoning made by grinding star anise and fennel and pepper and cloves and cinnamon +n07814007 ground dried berrylike fruit of a West Indian allspice tree; suggesting combined flavors of cinnamon and nutmeg and cloves +n07814203 spice from the dried aromatic bark of the Ceylon cinnamon tree; used as rolled strips or ground +n07814390 dried rolled strips of cinnamon bark +n07814487 spice from dried unopened flower bud of the clove tree; used whole or ground +n07814634 aromatic seeds of the cumin herb of the carrot family +n07814790 fennel seeds are ground and used as a spice or as an ingredient of a spice mixture +n07814925 pungent rhizome of the common ginger plant; used fresh as a seasoning especially in Asian cookery +n07815163 dried ground gingerroot +n07815294 spice made from the dried fleshy covering of the nutmeg seed +n07815424 hard aromatic seed of the nutmeg tree used as spice when grated or ground +n07815588 pungent seasoning from the berry of the common pepper plant of East India; use whole or ground +n07815839 pepper that is ground from whole peppercorns with husks on +n07815956 pepper ground from husked peppercorns +n07816052 dried root bark of the sassafras tree +n07816164 leaves of the common basil; used fresh or dried +n07816296 dried leaf of the bay laurel +n07816398 an herb whose leaves are used to flavor sauces and punches; young leaves can be eaten in salads or cooked +n07816575 bitter leaves used sparingly in salads; dried flowers used in soups and tisanes +n07816726 leaves used sparingly in soups and stews +n07816839 fresh ferny parsley-like leaves used as a garnish with chicken and veal and omelets and green salads and spinach +n07817024 cylindrical leaves used fresh as a mild onion-flavored seasoning +n07817160 leaves make a popular tisane; young leaves used in salads or cooked +n07817315 parsley-like herb used as seasoning or garnish +n07817465 dried coriander seeds used whole or ground +n07817599 leaves used sparingly (because of bitter overtones) in sauces and soups and stuffings +n07817758 leaves used for seasoning +n07817871 aromatic bulbous stem base eaten cooked or raw in salads +n07818029 aromatic anis-scented seeds +n07818133 aromatic seeds used as seasoning especially in curry +n07818277 aromatic bulb used as seasoning +n07818422 one of the small bulblets that can be split off of the axis of a larger garlic bulb +n07818572 large flat leaves used as chive is used +n07818689 lemony leaves used for a tisane or in soups or fruit punches +n07818825 stalks eaten like celery or candied like angelica; seeds used for flavoring or pickled like capers +n07818995 pungent leaves used as seasoning with meats and fowl and in stews and soups and omelets +n07819166 the leaves of a mint plant used fresh or candied +n07819303 black or white seeds ground to make mustard pastes or powders +n07819480 pungent powder or paste prepared from ground mustard seeds +n07819682 very hot prepared mustard +n07819769 flowers and seeds and leaves all used as flavorings +n07819896 aromatic herb with flat or crinkly leaves that are cut finely and used to garnish food +n07820036 leaves sometimes used for salad +n07820145 extremely pungent leaves used fresh or dried as seasoning for especially meats +n07820297 leaves sometimes used for flavoring fruit or claret cup but should be used with great caution: can cause irritation like poison ivy +n07820497 aromatic fresh or dried grey-green leaves used widely as seasoning for meats and fowl and game etc +n07820683 fresh leaves used in omelets and fritters and with lamb +n07820814 either of two aromatic herbs of the mint family +n07820960 herb with delicately flavored leaves with many uses +n07821107 resinous leaves used in stews and stuffings and meat loaf +n07821260 fragrant dark green leaves used to flavor May wine +n07821404 fresh ferny leaves and green seeds used as garnish in salads and cold vegetables; dried seeds used in confectionery and liqueurs +n07821610 fresh leaves (or leaves preserved in vinegar) used as seasoning +n07821758 leaves can be used as seasoning for almost any meat and stews and stuffings and vegetables +n07821919 ground dried rhizome of the turmeric plant used as seasoning +n07822053 pickled flower buds used as a pungent relish in various dishes and sauces +n07822197 thick spicy sauce made from tomatoes +n07822323 aromatic seeds used as seasoning like cinnamon and cloves especially in pickles and barbecue sauces +n07822518 ground pods and seeds of pungent red peppers of the genus Capsicum +n07822687 powder made of ground chili peppers mixed with e.g. cumin and garlic and oregano +n07822845 tomatoes and onions and peppers (sweet or hot) simmered with vinegar and sugar and various seasonings +n07823105 a spicy condiment made of chopped fruits or vegetables cooked in vinegar and sugar with ginger and spices +n07823280 pungent bottled sauce for steak +n07823369 spicy tomato-based sauce for tacos +n07823460 spicy sauce of tomatoes and onions and chili peppers to accompany Mexican foods +n07823591 sweetened diluted vinegar with chopped mint leaves +n07823698 sauce made of cranberries and sugar +n07823814 pungent blend of cumin and ground coriander seed and turmeric and other spices +n07823951 (East Indian cookery) a pungent dish of vegetables or meats flavored with curry powder and usually eaten with rice +n07824191 curry made with lamb +n07824268 a thick sweet and pungent Chinese condiment +n07824383 grated horseradish root +n07824502 mixtures of vinegar or wine and oil with various spices and seasonings; used for soaking foods before cooking +n07824702 a mild powdered seasoning made from dried pimientos +n07824863 a mild seasoning made from a variety of pimiento grown in Spain +n07824988 vegetables (especially cucumbers) preserved in brine or vinegar +n07825194 pickle preserved in brine or vinegar flavored with dill seed +n07825399 thinly sliced sweet pickles +n07825496 relish of chopped (usually sweet) pickles +n07825597 relish of chopped pickled cucumbers and green peppers and onion +n07825717 pickle cured in brine and preserved in sugar and vinegar +n07825850 puree of stewed apples usually sweetened and spiced +n07825972 thin sauce made of fermented soy beans +n07826091 very spicy sauce (trade name Tabasco) made from fully-aged red peppers +n07826250 thick concentrated tomato puree +n07826340 aromatic stems or leaves or roots of Angelica Archangelica +n07826453 candied stalks of the angelica plant +n07826544 flavoring made from almonds macerated in alcohol +n07826653 liquorice-flavored seeds, used medicinally and in cooking and liquors +n07826930 anise-scented star-shaped fruit or seed used in Asian cooking and medicine +n07827130 berrylike cone of a common juniper; used in making gin +n07827284 dried pungent stigmas of the Old World saffron crocus +n07827410 small oval seeds of the sesame plant +n07827554 aromatic seeds of the caraway plant; used widely as seasoning +n07827750 small grey seed of a poppy flower; used whole or ground in baked items +n07827896 aromatic threadlike foliage of the dill plant used as seasoning +n07828041 seed of the dill plant used as seasoning +n07828156 seed of the celery plant used as seasoning +n07828275 a flavoring made from (or imitating) lemons +n07828378 white crystalline compound used as a food additive to enhance flavor; often used in Chinese cooking +n07828642 long bean-like fruit; seeds are used as flavoring +n07828987 sour-tasting liquid produced usually by oxidation of the alcohol in wine or cider and used as a condiment or food preservative +n07829248 vinegar made from cider +n07829331 vinegar made from wine +n07829412 flavorful relish or dressing or topping served as an accompaniment to food +n07830493 made of white sauce and mashed anchovies +n07830593 a pungent peppery sauce +n07830690 butter and sugar creamed together with brandy or other flavoring and served with rich puddings +n07830841 creamy white sauce with horseradish and mustard +n07830986 sauce for pasta; contains mushrooms and ham and chopped vegetables and beef and tomato paste +n07831146 sauce for pasta; contains eggs and bacon or ham and grated cheese +n07831267 sauce made with a puree of tomatoes (or strained tomatoes) with savory vegetables and other seasonings; can be used on pasta +n07831450 mayonnaise with chopped pickles and sometimes capers and shallots and parsley and hard-cooked egg; sauce for seafood especially fried fish +n07831663 white or veloute sauce with wine and stock variously seasoned with onions and herbs; for fish or meat +n07831821 brown sauce with mushrooms and red wine or Madeira +n07831955 creamy white sauce made with bread instead of flour and seasoned with cloves and onion +n07832099 for Chinese dishes: plum preserves and chutney +n07832202 for Chinese dishes: peach preserves and chutney +n07832307 for Chinese dishes: apricot preserves and chutney +n07832416 a sauce typically served with pasta; contains crushed basil leaves and garlic and pine nuts and Parmesan cheese in olive oil +n07832592 veloute sauce seasoned with chopped chervil, chives, tarragon, shallots and capers +n07832741 a mayonnaise sauce flavored with herbs and mustard and capers; served with e.g. salad and cold meat +n07832902 savory dressings for salads; basically of two kinds: either the thin French or vinaigrette type or the creamy mayonnaise type +n07833333 mayonnaise and heavy cream combined with chopped green pepper and green onion seasoned with chili sauce and Worcestershire sauce and lemon juice +n07833535 creamy dressing containing crumbled blue cheese +n07833672 vinaigrette containing crumbled Roquefort or blue cheese +n07833816 oil and vinegar with mustard and garlic +n07833951 vinaigrette with chili sauce and chopped watercress +n07834065 vinaigrette and mashed anchovies +n07834160 a vinaigrette with garlic and herbs: oregano and basil and dill +n07834286 half mayonnaise and half vinaigrette seasoned with minced garlic and mashed anchovies and grated Parmesan cheese; especially good for combination salads +n07834507 egg yolks and oil and vinegar +n07834618 mayonnaise with tarragon or dill and chopped watercress and spinach or cucumber +n07834774 garlic mayonnaise +n07834872 mayonnaise with horseradish grated onion and chili sauce or catsup; sometimes with caviar added +n07835051 a creamy salad dressing resembling mayonnaise +n07835173 mayonnaise with chili sauce or catsup and minced olives and peppers and hard-cooked egg +n07835331 spicy sweet and sour sauce usually based on catsup or chili sauce +n07835457 eggs and butter with lemon juice +n07835547 a sauce like hollandaise but made with white wine and tarragon and shallots instead of lemon juice +n07835701 butter creamed with white wine and shallots and parsley +n07835823 brown sauce with beef marrow and red wine +n07835921 reduced red wine with onions and parsley and thyme and butter +n07836077 bouillon or beef stock thickened with butter and flour roux and variously seasoned with herbs or Worcestershire etc. +n07836269 brown sauce with tomatoes and a caramelized mixture of minced carrots and onions and celery seasoned with Madeira +n07836456 a sauce based on soy sauce +n07836600 a white sauce of fat, broth, and vegetables (used especially with braised meat) +n07836731 white sauce with grated cheese +n07836838 sauce made with unsweetened chocolate or cocoa and sugar and water +n07837002 thick chocolate sauce served hot +n07837110 usually catsup with horseradish and lemon juice +n07837234 butter creamed with parsley and tarragon and beef extract +n07837362 milk thickened with a butter and flour roux +n07837545 white sauce made with cream +n07837630 onion-flavored creamy cheese sauce with egg yolk and grated cheese +n07837755 sauce Espagnole with extra beef stock simmered down and seasoned with dry wine or sherry +n07837912 the seasoned but not thickened juices that drip from cooking meats; often a little water is added +n07838073 a sauce made by adding stock, flour, or other ingredients to the juice and fat that drips from cooking meats +n07838233 any of numerous sauces for spaghetti or other kinds of pasta +n07838441 sauce for pasta; contains tomatoes and garlic and herbs +n07838551 spicy sauce often containing chocolate +n07838659 brown sauce and tomato puree with onions and mushrooms and dry white wine +n07838811 brown sauce and sauteed mushrooms +n07838905 sauce of prepared mustard thinned with vinegar and vegetable oil with sugar and seasonings +n07839055 white sauce with whipping cream and shrimp butter +n07839172 veloute sauce with sauteed chopped onion and paprika and cream +n07839312 for venison: brown sauce with sauteed vegetables and trimmings and marinade and plenty of pepper +n07839478 a mixture of fat and flour heated and used as a basis for sauces +n07839593 veloute or brown sauce with sauteed chopped onion and dry white wine and sour cream +n07839730 veloute sauce with sauteed chopped onions and whipping cream +n07839864 brown sauce with sauteed chopped onions and parsley and dry white wine or vinegar +n07840027 white sauce made with stock instead of milk +n07840124 egg-thickened veloute +n07840219 allemande sauce with capers +n07840304 allemande sauce with chopped parsley +n07840395 allemande sauce with curry powder and coconut milk instead of stock +n07840520 a savory sauce of vinegar and soy sauce and spices +n07840672 white liquid obtained from compressing fresh coconut meat +n07840804 oval reproductive body of a fowl (especially a hen) used as food +n07841037 the white part of an egg; the nutritive and protective gelatinous substance surrounding the yolk consisting mainly of albumin dissolved in water +n07841345 the yellow spherical part of an egg that is surrounded by the albumen +n07841495 egg cooked briefly in the shell in gently boiling water +n07841639 an egg boiled gently until both the white and the yolk solidify +n07841800 a colored hard-boiled egg used to celebrate Easter +n07841907 an egg-shaped candy used to celebrate Easter +n07842044 egg-shaped chocolate candy +n07842130 egg-shaped candy +n07842202 egg cooked in gently boiling water +n07842308 eggs beaten and cooked to a soft firm consistency while stirring +n07842433 halved hard-cooked egg with the yolk mashed with mayonnaise and seasonings and returned to the white +n07842605 egg cooked individually in cream or butter in a small ramekin +n07842753 beaten eggs or an egg mixture cooked until just set; may be folded around e.g. ham or cheese or jelly +n07842972 eggs beaten with milk or cream and cooked until set +n07843117 omelet cooked quickly and slid onto a plate +n07843220 souffle-like omelet made by beating and adding the whites separately +n07843348 a firm omelet that has diced ham and peppers and onions +n07843464 light fluffy dish of egg yolks and stiffly beaten egg whites mixed with e.g. cheese or fish or fruit +n07843636 eggs cooked by sauteing in oil or butter; sometimes turned and cooked on both sides +n07843775 milk and butter and cheese +n07844042 a white nutritious liquid secreted by mammals and used as food by human beings +n07844604 any of several nutritive milklike liquids +n07844786 milk that has turned sour +n07844867 a milk substitute containing soybean flour and water; used in some infant formulas and in making tofu +n07845087 a liquid food for infants +n07845166 milk that has been exposed briefly to high temperatures to destroy microorganisms and prevent fermentation +n07845335 milk obtained from dairy cows +n07845421 the milk of a yak +n07845495 the milk of a goat +n07845571 milk fermented by bacteria; used to treat gastrointestinal disorders +n07845702 unpasteurized milk +n07845775 milk heated almost to boiling +n07845863 milk with the fat particles broken up and dispersed uniformly so the cream will not rise +n07846014 milk from dairies regulated by an authorized medical milk commission +n07846143 dehydrated milk +n07846274 dehydrated skimmed milk +n07846359 milk concentrated by evaporation +n07846471 sweetened evaporated milk +n07846557 milk from which the cream has been skimmed +n07846688 milk from which some of the cream has been removed +n07846802 milk from which no constituent (such as fat) has been removed +n07846938 milk from which some of the cream has been removed +n07847047 residue from making butter from sour raw milk; or pasteurized milk curdled by adding a culture +n07847198 the part of milk containing the butterfat +n07847453 thick cream made from scalded milk +n07847585 cream with a fat content of 48% or more +n07847706 half milk and half light cream; contains 10% to 18% butterfat +n07847827 contains more than 36% butterfat +n07847917 cream that has at least 18% butterfat +n07848093 artificially soured light cream +n07848196 cream that has enough butterfat (30% to 36%) to be whipped +n07848338 an edible emulsion of fat globules made by churning milk or cream; for cooking and table use +n07848771 butter made clear by heating and removing the sediment of milk solids +n07848936 clarified butter used in Indian cookery +n07849026 clarified butter browned slowly and seasoned with vinegar or lemon juice and capers +n07849186 clarified butter browned slowly and seasoned with lemon juice and parsley +n07849336 a custard-like food made from curdled milk +n07849506 yogurt with sweetened blueberries or blueberry jam +n07849619 an Indian side dish of yogurt and chopped cucumbers and spices +n07849733 watery part of milk produced when raw milk sours and coagulates +n07849912 coagulated milk; used to make cheese +n07850083 a coagulated liquid resembling milk curd +n07850219 raw milk that has soured and thickened +n07850329 a solid food prepared from the pressed curd of milk +n07851054 (usually plural) a part of a fruit or vegetable that is pared or cut off; especially the skin or peel +n07851298 soft unripened cheese made of sweet milk and cream +n07851443 fresh soft French cheese containing at least 60% fat +n07851554 soft mild Italian cream cheese +n07851641 fresh soft French cheese containing at least 72% fat +n07851767 mild white cheese made from curds of soured skim milk +n07851926 made by blending several lots of cheese +n07852045 cheese containing a blue mold +n07852229 English blue cheese +n07852302 French blue cheese +n07852376 Italian blue cheese +n07852452 blue cheese of Denmark +n07852532 blue cheese of Bavaria +n07852614 soft creamy white cheese; milder than Camembert +n07852712 semisoft sweet American cheese from whole milk in a brick form +n07852833 rich soft creamy French cheese +n07852919 hard smooth-textured cheese; originally made in Cheddar in southwestern England +n07853125 informal names for American cheddar +n07853232 a mild yellow English cheese with a crumbly texture +n07853345 a smooth firm mild orange-red cheese +n07853445 mild yellow Dutch cheese made in balls encased in a red covering +n07853560 made from goats' milk +n07853648 mild cream-colored Dutch cheese shaped in balls +n07853762 hard or semihard cheese grated +n07853852 any cheese originally molded by hand +n07853946 a soft cheese with a strong odor and flavor +n07854066 a soft white cheese with a very strong pungent odor and flavor +n07854184 mild white Italian cheese +n07854266 semisoft pale-yellow cheese +n07854348 hard dry sharp-flavored Italian cheese; often grated +n07854455 fresh unripened cheese of a smooth texture made from pasteurized milk, a starter, and rennet +n07854614 soft Italian cheese like cottage cheese +n07854707 cheese formed in long strings twisted together +n07854813 hard pale yellow cheese with many holes from Switzerland +n07854982 Swiss cheese with large holes +n07855105 Swiss cheese with small holes +n07855188 a hard green Swiss cheese made with skim-milk curd and flavored with clover +n07855317 trademark: soft processed American cheese +n07855413 ground nuts blended with a little butter +n07855510 a spread made from ground peanuts +n07855603 a very sweet white spread resembling marshmallow candy +n07855721 butter blended with minced onion +n07855812 butter blended with mashed pimento +n07855907 butter blended with chopped shrimp or seasoned with essence from shrimp shells +n07856045 butter blended with chopped lobster or seasoned with essence from lobster shells +n07856186 butter made from yaks' milk +n07856270 a tasty mixture to be spread on bread or crackers or used in preparing other dishes +n07856756 spread made of cheese mixed with butter or cream or cream cheese and seasonings +n07856895 butter blended with mashed anchovies +n07856992 a paste of fish or shellfish +n07857076 butter seasoned with mashed garlic +n07857170 a thick paste made from fermented soybeans and barley or rice malt; used in Japanese cooking to make soups or sauces +n07857356 the thick green root of the wasabi plant that the Japanese use in cooking and that tastes like strong horseradish; in powder or paste form it is often eaten with raw fish +n07857598 for preparing snails: butter seasoned with shallots and garlic and parsley +n07857731 a thick spread made from mashed chickpeas, tahini, lemon juice and garlic; used especially as a dip for pita; originated in the Middle East +n07857959 liver or meat or fowl finely minced or ground and variously seasoned +n07858114 a pate made from duck liver +n07858197 a pate made from goose liver (marinated in Cognac) and truffles +n07858336 a spread consisting of capers and black olives and anchovies made into a puree with olive oil +n07858484 a thick Middle Eastern paste made from ground sesame seeds +n07858595 something added to foods to make them taste sweeter +n07858841 an artificial sweetener made from aspartic acid; used as a calorie-free sweetener +n07858978 a sweet yellow liquid produced by bees +n07859142 a crystalline substance 500 times sweeter than sugar; used as a calorie-free sweetener +n07859284 a white crystalline carbohydrate used as a sweetener and preservative +n07859583 a thick sweet sticky liquid +n07859796 sugar and water and sometimes corn syrup boiled together; used as sweetening especially in drinks +n07859951 thick dark syrup produced by boiling down juice from sugar cane; especially during sugar refining +n07860103 made from juice of sweet sorghum +n07860208 a pale cane syrup +n07860331 thin syrup made from pomegranate juice; used in mixed drinks +n07860447 made by concentrating sap from sugar maples +n07860548 syrup prepared from corn +n07860629 (Old Testament) food that God gave the Israelites during the Exodus +n07860805 a liquid or semiliquid mixture, as of flour, eggs, and milk, used in cooking +n07860988 a flour mixture stiff enough to knead or roll +n07861158 any of various doughs for bread +n07861247 batter for making pancakes +n07861334 batter for making fritters +n07861557 chicken and onions and mushrooms braised in red wine and seasonings +n07861681 chicken cooked in a sauce made with tomatoes, garlic, and olive oil +n07861813 rice and chicken cooked together with or without other ingredients and variously seasoned +n07861983 a Cantonese dish of chicken and sauteed vegetables +n07862095 rice and chicken cooked together Spanish style; highly seasoned especially with saffron +n07862244 eggs (fried or scrambled) served with bacon +n07862348 baked or roasted with a spicy sauce +n07862461 beef and mushrooms and onions stewed in red wine and seasonings +n07862611 rare-roasted beef tenderloin coated with mushroom paste in puff pastry +n07862770 a Russian dish made with patties of ground meat (mixed with onions and bread and milk) and served with a sauce of sour cream +n07862946 corned beef simmered with onions and cabbage and usually other vegetables +n07863107 dried navy beans baked slowly with molasses and salt pork +n07863229 leftover cabbage fried with cooked potatoes and sometimes meat +n07863374 a dish that contains pasta as its main ingredient +n07863547 tubular pasta filled with meat or cheese +n07863644 beef stewed in beer seasoned with garlic and served with boiled potatoes +n07863802 puffy dish of cheese and eggs (whites beaten separately) and white sauce +n07863935 braised chicken with onions and mushrooms in a wine and tomato sauce +n07864065 thin slices of chicken stuffed with cheese and ham and then sauteed +n07864198 chicken fried than oven-baked and served with milk gravy +n07864317 chicken simmered in broth with onions and paprika then mixed with sour cream +n07864475 chicken prepared in a cream sauce with mushrooms and served over pasta; usually topped with cheese +n07864638 a pasta dish with cream sauce and mushrooms +n07864756 pounded chicken cutlets rolled around butter (that has been seasoned with herbs) and then covered with crumbs and fried +n07864934 ground beef and chili peppers or chili powder often with tomatoes and kidney beans +n07865105 a hotdog with chili con carne on it +n07865196 meat or fish stir-fried with vegetables (e.g., celery, onions, peppers or bean sprouts) seasoned with ginger and garlic and soy sauce; served with rice; created in the United States and frequently served in Chinese restaurants there +n07865484 chop suey served with fried noodles +n07865575 usually made of flaked salt cod and mashed potatoes +n07865700 seafood served in a scallop shell +n07865788 scallops in white wine sauce served in scallop shells +n07866015 minced cooked meats (or vegetables) in thick white sauce; breaded and deep-fried +n07866151 a dish of minced meat topped with mashed potatoes +n07866277 minced cooked meat or fish coated in egg and breadcrumbs and fried in deep fat +n07866409 well-seasoned rice (with nuts or currants or minced lamb) simmered or braised in stock +n07866571 omelet containing onions and celery and chopped meat or fish +n07866723 minced vegetables and meat wrapped in a pancake and fried +n07866868 toasted English muffin topped with ham and a poached egg (or an oyster) and hollandaise sauce +n07867021 tortilla with meat filling baked in tomato sauce seasoned with chili +n07867164 small croquette of mashed chick peas or fava beans seasoned with sesame seeds +n07867324 fried fish and french-fried potatoes +n07867421 hot cheese or chocolate melted to the consistency of a sauce into which bread or fruits are dipped +n07867616 fondue made of cheese melted in wine for dipping bread and sometimes fruits +n07867751 fondue made of chocolate melted with milk or cream for dipping fruits +n07867883 cubes of meat or seafood cooked in hot oil and then dipped in any of various sauces +n07868045 cubes of beef cooked in hot oil and then dipped in various tasty sauces +n07868200 bread slice dipped in egg and milk and fried; topped with sugar or fruit or syrup +n07868340 boiled rice mixed with scallions and minced pork or shrimp and quickly scrambled with eggs +n07868508 Italian omelet with diced vegetables and meats; cooked until bottom is set then inverted into another pan to cook the top +n07868684 hind legs of frogs used as food; resemble chicken and cooked as chicken +n07868830 boned poultry stuffed then cooked and covered with aspic; served cold +n07868955 well-seasoned balls of ground fish and eggs and crushed crumbs simmered in fish stock +n07869111 made of sheep's or calf's viscera minced with oatmeal and suet and onions and boiled in the animal's stomach +n07869291 eggs (scrambled or fried) served with ham +n07869391 chopped meat mixed with potatoes and browned +n07869522 hash made with corned beef +n07869611 spicy Creole dish of rice and ham, sausage, chicken, or shellfish with tomatoes, peppers, onions, and celery +n07869775 cubes of meat marinated and cooked on a skewer usually with vegetables +n07869937 a dish of rice and hard-boiled eggs and cooked flaked fish +n07870069 made of lamb +n07870167 baked dish of layers of lasagna pasta with sauce and cheese and meat or vegetables +n07870313 seafood in Newburg sauce served on toast or rice +n07870478 lobster in Newburg sauce served on buttered toast or rice +n07870620 shrimp in Newburg sauce usually served in a rice ring +n07870734 lobster butter and cream and egg yolks seasoned with onions and sherry or Madeira +n07870894 diced lobster mixed with Mornay sauce placed back in the shell and sprinkled with grated cheese and browned +n07871065 dried cod soaked in a lye solution before boiling to give it a gelatinous consistency +n07871234 macaroni prepared in a cheese sauce +n07871335 mixed diced fruits or vegetables; hot or cold +n07871436 ground meat formed into a ball and fried or simmered in broth +n07871588 meat patties rolled in rice and simmered in a tomato sauce +n07871720 meatballs simmered in stock +n07871810 a baked loaf of ground meat +n07872593 casserole of eggplant and ground lamb with onion and tomatoes bound with white sauce and beaten eggs +n07872748 sliced veal knuckle or shin bone cooked with olive oil and wine and tomatoes and served with rice or vegetables +n07873057 very tender and very nutritious tissue from marrowbones +n07873198 a dish of roast pheasant served in a manner characteristic of expensive restaurants +n07873348 small frankfurters wrapped in biscuit dough and baked +n07873464 rice cooked in well-seasoned broth with onions or celery and usually poultry or game or shellfish and sometimes tomatoes +n07873679 pilaf made with bulgur wheat instead of rice and usually without meat +n07873807 Italian open pie made of thin bread dough spread with a spiced mixture of e.g. tomato sauce and cheese +n07874063 tomato and cheese pizza with sausage +n07874159 tomato and cheese pizza with pepperoni +n07874259 pizza with lots of cheese +n07874343 tomato and cheese pizza with anchovies +n07874441 pizza made with a thick crust +n07874531 Hawaiian dish of taro root pounded to a paste and often allowed to ferment +n07874674 dried beans cooked with pork and tomato sauce +n07874780 soft food made by boiling oatmeal or other meal or legumes in water or milk until thick +n07874995 porridge made of rolled oats +n07875086 thick gruel +n07875152 deep-dish meat and vegetable pie or a meat stew with dumplings +n07875267 dish originating in Indonesia; a wide variety of foods and sauces are served with rice +n07875436 rice cooked with broth and sprinkled with grated cheese +n07875560 a dish consisting of a slice of meat that is rolled around a filling and cooked +n07875693 flaked fish baked in a loaf with bread crumbs and various seasonings +n07875835 fish loaf made with flaked salmon +n07875926 ground beef patty usually with a sauce +n07876026 pot roast marinated several days in seasoned vinegar before cooking; usually served with potato dumplings +n07876189 shredded cabbage fermented in brine +n07876281 sauteed cutlets (usually veal or poultry) that have been pounded thin and coated with flour +n07876460 thin sauteed cutlets of veal +n07876550 large shrimp sauteed in oil or butter and garlic +n07876651 hard-cooked egg encased in sausage meat then breaded and deep-fried +n07876775 creamy scrambled eggs on toast spread with anchovy paste +n07876893 scraps of meat (usually pork) boiled with cornmeal and shaped into loaves for slicing and frying +n07877187 spaghetti with meatballs in a tomato sauce +n07877299 spicy rice with tomatoes and onions and green peppers +n07877675 ground beef mixed with raw egg and e.g. onions and capers and anchovies; eaten raw +n07877849 strips of steak sauteed with green peppers and onions +n07877961 steak covered with crushed peppercorns pan-broiled and served with brandy-and-butter sauce +n07878145 sauteed strips of beef and mushrooms in sour cream sauce served with noodles +n07878283 parboiled head of cabbage scooped out and filled with a hash of chopped e.g. beef or ham and baked; served with tomato or cheese sauce +n07878479 (Judaism) roasted fowl intestines with a seasoned filling of matzo meal and suet +n07878647 parboiled green peppers stuffed usually with rice and meat and baked briefly +n07878785 tomato cases filled with various mixtures and baked briefly +n07878926 tomato cases filled with various salad mixtures and served cold +n07879072 fresh corn and lima beans with butter or cream +n07879174 thin beef strips (or chicken or pork) cooked briefly at the table with onions and greens and soy sauce +n07879350 very thinly sliced raw fish +n07879450 rice (with raw fish) wrapped in seaweed +n07879560 steak braised in tomato and onion mixture +n07879659 corn and cornmeal dough stuffed with a meat mixture then wrapped in corn husks and steamed +n07879821 a meat mixture covered with cornbread topping that resembles a Mexican dish +n07879953 vegetables and seafood dipped in batter and deep-fried +n07880080 beef or chicken or seafood marinated in spicy soy sauce and grilled or broiled +n07880213 a pate or fancy meatloaf baked in an earthenware casserole +n07880325 cheese melted with ale or beer served over toast +n07880458 deep-fried breaded veal cutlets +n07880751 a tortilla rolled cupped around a filling +n07880880 a taco with a chicken filling +n07880968 a flour tortilla folded around a filling +n07881117 a burrito with a beef filling +n07881205 a tortilla that is filled with cheese and heated +n07881404 a flat tortilla with various fillings piled on it +n07881525 a flat tortilla topped with refried beans +n07881625 dried beans cooked and mashed and then fried in lard with various seasonings +n07881800 any liquid suitable for drinking +n07882420 any thin watery drink +n07882497 any foodstuff made by combining different ingredients +n07882886 a commercially prepared mixture of dry ingredients +n07883031 a food mixture used to fill pastry or sandwiches etc. +n07883156 a sweet filling made of prunes or apricots +n07883251 a medicinal or magical or poisonous beverage +n07883384 a substance believed to cure all ills +n07883510 a hypothetical substance believed to maintain life indefinitely; once sought by alchemists +n07883661 a drink credited with magical power; can make the one who takes it love the one who gave it +n07884567 a liquor or brew containing alcohol as the active agent +n07885705 a mixture containing half alcohol by volume at 60 degrees Fahrenheit +n07886057 an alcoholic beverage (especially beer) made at home +n07886176 an illicitly distilled (and usually inferior) alcoholic liquor +n07886317 an alcoholic drink made from the aromatic roots of the kava shrub +n07886463 alcoholic beverage taken before a meal as an appetizer +n07886572 drink made by steeping and boiling and fermenting rather than distilling +n07886849 a general name for alcoholic beverages made by fermenting a cereal (or mixture of cereals) flavored with hops +n07887099 beer drawn from a keg +n07887192 a dysphemism for beer (especially for lager that effervesces) +n07887304 a dark lager produced in Munich since the 10th century; has a distinctive taste of malt +n07887461 a very strong lager traditionally brewed in the fall and aged through the winter for consumption in the spring +n07887634 a general term for beer made with bottom fermenting yeast (usually by decoction mashing); originally it was brewed in March or April and matured until September +n07887967 lager with reduced alcohol content +n07888058 a strong lager made originally in Germany for the Oktoberfest celebration; sweet and copper-colored +n07888229 a pale lager with strong flavor of hops; first brewed in the Bohemian town of Pilsen +n07888378 unlicensed drinking establishment +n07888465 a general name for beers made from wheat by top fermentation; usually very pale and cloudy and effervescent +n07888816 a German wheat beer of bock strength +n07888909 a cereal grain (usually barley) that is kiln-dried after having been germinated by soaking in water; used especially in brewing and distilling +n07889193 unfermented or fermenting malt +n07889274 a lager of high alcohol content; by law it is considered too alcoholic to be sold as lager or beer +n07889510 a general name for beer made with a top fermenting yeast; in some of the United States an ale is (by law) a brew of more than 4% alcohol by volume +n07889814 English term for a dry sharp-tasting ale with strong flavor of hops (usually on draft) +n07889990 a strong dark English ale +n07890068 an amber colored ale brewed with pale malts; similar to bitter but drier and lighter +n07890226 a very dark sweet ale brewed from roasted unmalted barley +n07890352 a strong very dark heavy-bodied ale made from pale malt and roasted unmalted barley and (often) caramel malt with hops +n07890540 a kind of bitter stout +n07890617 fermented beverage resembling beer but made from rye or barley +n07890750 made of fermented honey and water +n07890890 spiced or medicated mead +n07890970 honey diluted in water; becomes mead when fermented +n07891095 wine mixed with honey +n07891189 drink that resembles beer but with less than 1/2 percent alcohol +n07891309 carbonated slightly alcoholic drink flavored with fermented ginger +n07891433 Japanese alcoholic beverage made from fermented rice; usually served hot +n07891726 fermented juice (of grapes especially) +n07892418 a season's yield of wine from a vineyard +n07892512 wine having a red color derived from skins of dark-colored grapes +n07892813 pale yellowish wine made from white grapes or red grapes with skins removed before fermentation +n07893253 pinkish table wine from red grapes whose skins were removed after fermentation began +n07893425 used in a communion service +n07893528 effervescent wine +n07893642 a white sparkling wine either produced in Champagne or resembling that produced there +n07893792 pink sparkling wine originally from Germany +n07893891 red table wine from the Burgundy region of France (or any similar wine made elsewhere) +n07894102 dry fruity light red wine drunk within a few months after it is made; from the Beaujolais district in southeastern France +n07894298 red Bordeaux wine from the Medoc district of southwestern France +n07894451 a sweet white wine from the Canary Islands +n07894551 dry white table wine of Chablis, France or a wine resembling it +n07894703 a white Burgundy wine +n07894799 dry white table wine resembling Chablis but made from Chardonnay grapes +n07894965 dry red California table wine made from purple Pinot grapes +n07895100 dry white California table wine made from white Pinot grapes +n07895237 any of several red or white wines produced around Bordeaux, France or wines resembling them +n07895435 dry red Bordeaux or Bordeaux-like wine +n07895595 dry red Italian table wine from the Chianti region of Tuscany +n07895710 superior Bordeaux type of red wine +n07895839 dry red wine made from a grape grown widely in Bordeaux and California +n07895962 a California wine +n07896060 any of various wines produced in California +n07896165 a wine from southeastern France on the Mediterranean coast +n07896287 still sweet wine often served with dessert or after a meal +n07896422 (trademark) a sweet aromatic French wine (red or white) used chiefly as an aperitif +n07896560 inexpensive wine sold in large bottles or jugs +n07896661 fine Burgundy wine usually white and dry +n07896765 German white wine from the Moselle valley or a similar wine made elsewhere +n07896893 dry white wine from the Loire valley in France +n07896994 a cheap wine of inferior quality +n07897116 Greek wine flavored with resin +n07897200 any of several white wines from the Rhine River valley in Germany (`hock' is British usage) +n07897438 fragrant dry or sweet white wine from the Rhine valley or a similar wine from California +n07897600 a sweetened Rhenish wine (especially one from Hesse in western Germany) +n07897750 any of various wines from the Rhone River valley in France +n07897865 dry red table wine from the Rioja region of northern Spain +n07897975 any of various light dry strong white wine from Spain and Canary Islands (including sherry) +n07898117 full-bodied red wine from around the town of Saint Emilion in Bordeaux +n07898247 dry white Italian wine from Verona +n07898333 dry fruity red wine from California +n07898443 semisweet golden-colored table or dessert wine from around Bordeaux in France; similar wine from California +n07898617 sweet wine from grapes partially sun-dried on the vine or on straw mats +n07898745 wine containing not more than 14 percent alcohol usually served with a meal +n07898895 Hungarian wine made from Tokay grapes +n07899003 cheap French table wine of unspecified origin +n07899108 any of several white wines flavored with aromatic herbs; used as aperitifs or in mixed drinks +n07899292 sweet dark amber variety +n07899434 dry pale amber variety +n07899533 made in California and the Loire valley in France +n07899660 a dry white Italian wine made from Verdicchio grapes +n07899769 a dry white French wine (either still or sparkling) made in the Loire valley +n07899899 a sweet white French wine +n07899976 a wine that is a blend of several varieties of grapes with no one grape predominating; a wine that does not carry the name of any specific grape +n07900225 a wine made principally from one grape and carrying the name of that grape +n07900406 wine to which alcohol (usually grape brandy) has been added +n07900616 an amber dessert wine from the Madeira Islands +n07900734 sweet Madeira wine +n07900825 sweet dark-red dessert wine originally from Portugal +n07900958 dry to sweet amber wine from the Jerez region of southern Spain or similar wines produced elsewhere; usually drunk as an aperitif +n07901355 dark sweet or semisweet dessert wine from Sicily +n07901457 wine from muscat grapes +n07901587 an alcoholic beverage that is distilled rather than fermented +n07902121 nonflavored alcohol of 95 percent or 190 proof used for blending with straight whiskies and in making gin and liqueurs +n07902336 strong distilled liquor or brandy +n07902443 strong coarse brandy +n07902520 whiskey illegally distilled from a corn mash +n07902698 homemade gin especially that made illegally +n07902799 Scandinavian liquor usually flavored with caraway seeds +n07902937 any of various strong liquors distilled from the fermented sap of toddy palms or from fermented molasses +n07903101 alcoholic liquor flavored with bitter herbs and roots +n07903208 distilled from wine or fermented fruit juice +n07903543 distilled from hard cider +n07903643 dry apple brandy made in Normandy +n07903731 dry brandy distilled in the Armagnac district of France +n07903841 high quality grape brandy distilled in the Cognac district of France +n07903962 Italian brandy made from residue of grapes after pressing +n07904072 from fermented juice of black morello cherries +n07904293 a colorless plum brandy popular in the Balkans +n07904395 strong liquor flavored with juniper berries +n07904637 gin flavored with sloes (fruit of the blackthorn) +n07904760 gin made in the Netherlands +n07904865 rum cut with water +n07904934 a Greek liquor flavored with anise +n07905038 liquor distilled from fermented molasses +n07905296 dark rum from Guyana +n07905386 heavy pungent rum from Jamaica +n07905474 any of various strong liquors especially a Dutch spirit distilled from potatoes +n07905618 fermented Mexican drink from juice of various agave plants especially the maguey +n07905770 a colorless Mexican liquor distilled from fermented juices of certain desert plants of the genus Agavaceae (especially the century plant) +n07905979 Mexican liquor made from fermented juices of an agave plant +n07906111 unaged colorless liquor originating in Russia +n07906284 a liquor made from fermented mash of grain +n07906572 mixture of two or more whiskeys or of a whiskey and neutral spirits +n07906718 whiskey distilled from a mash of corn and malt and rye and aged in charred oak barrels +n07906877 whiskey distilled from a mash of not less than 80 percent corn +n07907037 any strong spirits (such as strong whisky or rum) +n07907161 whiskey made in Ireland chiefly from barley +n07907342 unlawfully distilled Irish whiskey +n07907429 whiskey distilled from rye or rye and malt +n07907548 whiskey distilled in Scotland; especially whiskey made from malted barley in a pot still +n07907831 any whiskey distilled from sour mash +n07907943 strong highly flavored sweet liquor usually drunk after a meal +n07908411 strong green liqueur flavored with wormwood and anise +n07908567 an Italian almond liqueur +n07908647 liquorice-flavored usually colorless sweet liqueur made from aniseed +n07908812 a French liqueur originally made by Benedictine monks +n07908923 aromatic green or yellow liqueur flavored with orange peel and hyssop and peppermint oils; made at monastery near Grenoble, France +n07909129 coffee-flavored liqueur +n07909231 sweet liqueur flavored with vanilla and cacao beans +n07909362 sweet green or white mint-flavored liqueur +n07909504 strawberry-flavored liqueur +n07909593 a sweet Scotch whisky liqueur +n07909714 golden Italian liqueur flavored with herbs +n07909811 liqueur flavored with orange +n07909954 flavored with sour orange peel +n07910048 type of curacao having higher alcoholic content +n07910152 an orange-flavored French liqueur +n07910245 liqueur flavored with caraway seed or cumin +n07910379 distilled from fermented juice of bitter wild marasca cherries +n07910538 similar to absinthe but containing no wormwood +n07910656 (registered trademark) a liqueur flavored with anise +n07910799 small drink served after dinner (especially several liqueurs poured carefully so as to remain in separate layers) +n07910970 coffee-flavored liqueur made in Mexico +n07911061 sweet liqueur made from wine and brandy flavored with plum or peach or apricot kernels and bitter almonds +n07911249 an Italian liqueur made with elderberries and flavored with licorice +n07911371 made of two or more ingredients +n07911677 a short mixed drink +n07912093 South African mixed drink made by mixing ice cream with whisky +n07912211 a mixed drink made of alcoholic liquor mixed with water or a carbonated beverage and served in a tall glass +n07913180 club soda or fruit juice used to mix with alcohol +n07913300 port wine mulled with oranges and cloves +n07913393 a cocktail made with vodka and spicy tomato juice +n07913537 a Bloody Mary made without alcohol +n07913644 a cocktail made with vodka and beef bouillon or consomme +n07913774 tall sweetened iced drink of wine or liquor with fruit +n07913882 tall iced drink of liquor (usually gin) with fruit juice +n07914006 an iced drink especially white wine and fruit juice +n07914128 a drink that refreshes +n07914271 a thick smooth drink consisting of fresh fruit pureed with ice cream or yoghurt or milk +n07914413 a cocktail made with rum and lime or lemon juice +n07914586 daiquiri with crushed strawberries +n07914686 a daiquiri made without alcohol +n07914777 a mixed drink made of wine mixed with a sparkling water +n07914887 hot or cold alcoholic mixed drink containing a beaten egg +n07914995 a cocktail made of gin or vodka and lime juice +n07915094 gin and quinine water +n07915213 a cocktail made of creme de menthe and cream (sometimes with creme de cacao) +n07915366 a cocktail made of vodka or gin and orange juice and Galliano +n07915491 bourbon and sugar and mint over crushed ice +n07915618 a cocktail made with whiskey and sweet vermouth with a dash of bitters +n07915800 a manhattan cocktail made with Scotch whiskey +n07915918 a cocktail made of tequila and triple sec with lime and lemon juice +n07916041 a cocktail made of gin (or vodka) with dry vermouth +n07916183 a cocktail made of gin and sweet vermouth +n07916319 martini made with vodka rather than gin +n07916437 a cocktail made of whiskey and bitters and sugar with fruit slices +n07916582 a cocktail made of gin and brandy with lemon juice and grenadine shaken with an egg white and ice +n07917133 a cocktail made with bourbon with bitters and Pernod and sugar served with lemon peel +n07917272 a cocktail made with vodka and orange juice +n07917392 a cocktail made of orange liqueur with lemon juice and brandy +n07917507 a highball with Scotch malt whiskey and club soda +n07917618 a highball with liquor and water with sugar and lemon or lime juice +n07917791 a sling made with brandy +n07917874 a sling made with gin +n07917951 a sling made with rum +n07918028 a cocktail made of a liquor (especially whiskey or gin) mixed with lemon or lime juice and sugar +n07918193 a sour made with whiskey +n07918309 a cocktail made of made of creme de menthe and brandy +n07918706 any of various tall frothy mixed drinks made usually of rum and lime juice and sugar shaken with ice +n07918879 a mixed drink made of liquor and water with sugar and spices and served hot +n07919165 several kinds of rum with fruit juice and usually apricot liqueur +n07919310 an effervescent beverage (usually alcoholic) +n07919441 sweetened coffee with Irish whiskey and whipped cream +n07919572 equal parts of coffee and hot milk +n07919665 small cup of strong black coffee without milk or cream +n07919787 coffee with the caffeine removed +n07919894 coffee made by passing boiling water through a perforated container packed with finely ground coffee +n07920052 strong black coffee brewed by forcing hot water under pressure through finely ground coffee beans +n07920222 strong espresso coffee with a topping of frothed steamed milk +n07920349 equal parts of espresso and hot milk topped with cinnamon and nutmeg and usually whipped cream +n07920540 a strong sweetened coffee served over ice with cream +n07920663 dehydrated coffee that can be made into a drink by adding hot water +n07920872 a superior dark coffee made from beans from Arabia +n07920989 a flavoring made from coffee mixed with chocolate +n07921090 a flavoring made by boiling down the juice of the bitter cassava; used in West Indian cooking +n07921239 a drink made from pulverized coffee beans; usually sweetened +n07921360 milk flavored with chocolate syrup +n07921455 a beverage made from juice pressed from apples +n07921615 alcoholic drink from fermented cider; `cider' and `cyder' are European (especially British) usages for the fermented beverage +n07921834 strong cider (as made in western England) +n07921948 unfermented cider +n07922041 sweet cider heated with spices and citrus fruit +n07922147 a fermented and often effervescent beverage made from juice of pears; similar in taste to hard cider +n07922512 any alcoholic beverage of inferior quality +n07922607 an amount of an alcoholic drink (usually liquor) that is poured or gulped +n07922764 a beverage made from cocoa powder and milk and sugar; usually drunk hot +n07922955 cocoa of superior quality +n07923748 the liquid part that can be extracted from plant or animal tissue by squeezing or cooking +n07924033 drink produced by squeezing or crushing fruit +n07924276 fruit juice especially when undiluted +n07924366 the juice of apples +n07924443 the juice of cranberries (always diluted and sweetened) +n07924560 the juice of grapes +n07924655 grape juice before or during fermentation +n07924747 the juice of grapefruits +n07924834 bottled or freshly squeezed juice of oranges +n07924955 orange juice that has been concentrated and frozen +n07925116 the juice of pineapples (usually bottled or canned) +n07925229 usually freshly squeezed juice of lemons +n07925327 usually freshly squeezed juice of limes +n07925423 juice from papayas +n07925500 the juice of tomatoes (usually bottled or canned) +n07925608 usually freshly squeezed juice of carrots +n07925708 brand name for canned mixed vegetable juices +n07925808 an alcoholic beverage made from fermented mare's milk; made originally by nomads of central Asia +n07925966 a sweetened beverage of diluted fruit juice +n07926250 sweetened beverage of diluted lemon juice +n07926346 sweetened beverage of lime juice and water +n07926442 sweetened beverage of diluted orange juice +n07926540 powder made of dried milk and malted cereals +n07926785 South American tea-like drink made from leaves of a South American holly called mate +n07926920 wine heated with sugar and spices and often citrus fruit +n07927070 wine and hot water with sugar and lemon juice and nutmeg +n07927197 nonalcoholic beverage (usually carbonated) +n07927512 a sweet drink containing carbonated water and flavoring +n07927716 carbonated drink containing an extract from bark of birch trees +n07927836 tart lemon-flavored carbonated drink +n07927931 carbonated drink flavored with extract from kola nuts (`dope' is a southernism in the United States) +n07928163 sweet carbonated drink flavored with vanilla +n07928264 made of milk and flavored syrup with soda water +n07928367 ginger-flavored carbonated drink +n07928488 orange-flavored carbonated drink +n07928578 carbonated drink with fruit syrup and a little phosphoric acid +n07928696 Coca Cola is a trademarked cola +n07928790 Pepsi Cola is a trademarked cola +n07928887 carbonated drink containing extracts of roots and herbs +n07928998 carbonated drink flavored with an extract from sarsaparilla root or with birch oil and sassafras +n07929172 lime- or lemon-flavored carbonated water containing quinine +n07929351 a seed of the coffee tree; ground to make coffee +n07929519 a beverage consisting of an infusion of ground coffee beans +n07929940 black coffee with Cognac and lemon peel and sugar +n07930062 a punch made of fruit juices mixed with water or soda water (with or without alcohol) +n07930205 a punch made of spirits and milk and sugar and spices +n07930315 a mixed drink containing champagne and orange juice +n07930433 a mixed drink made of pineapple juice and coconut cream and rum +n07930554 an iced mixed drink usually containing alcohol and prepared for multiple servings; normally served in a punch bowl +n07930864 a punch served in a pitcher instead of a punch bowl +n07931001 a punch containing a sparkling wine +n07931096 a punch made of claret and brandy with lemon juice and sugar and sometimes sherry or curacao and fresh fruit +n07931280 a punch made of sweetened ale or wine heated with spices and roasted apples; especially at Christmas +n07931452 a cocktail made of rum and lime or lemon juice with sugar and sometimes bitters +n07931612 a cocktail made with vodka, coffee liqueur, and milk or cream +n07931733 a punch made of rum and brandy and water or tea sweetened with sugar syrup +n07931870 a punch made of Moselle and sugar and sparkling water or champagne flavored with sweet woodruff +n07932039 a punch made of sweetened milk or cream mixed with eggs and usually alcoholic liquor +n07932323 a drink resembling beer; made from fermented cassava juice +n07932454 a brew made by fermenting molasses and other sugars with the sap of spruce trees (sometimes with malt) +n07932614 a mixed drink made of sweetened lime juice and soda water usually with liquor +n07932762 a rickey made with gin +n07932841 dried leaves of the tea shrub; used to make tea +n07933154 a measured amount of tea in a bag for an individual serving of tea +n07933274 a beverage made by steeping tea leaves in water +n07933530 a beverage that resembles tea but is not made from tea leaves +n07933652 a beverage for children containing hot water and milk and sugar and a small amount of tea +n07933799 a cup of tea +n07933891 tea-like drink made of leaves of various herbs +n07934032 infusion of e.g. dried or fresh flowers or leaves +n07934152 tea-like drink made from camomile leaves and flowers +n07934282 strong tea served over ice +n07934373 tea made by exposing tea leaves steeped in water to the direct rays of the sun; usually served with ice +n07934530 fermented tea leaves +n07934678 black tea grown in China +n07934800 a fine variety of black tea grown in northern India +n07934908 a superior grade of black tea; grown in India and Sri Lanka and Java +n07935043 a fine quality of black tea native to China +n07935152 tea leaves that have been steamed and dried without fermenting +n07935288 a Chinese green tea with twisted leaves +n07935379 Chinese tea leaves that have been partially fermented before being dried +n07935504 a liquid necessary for the life of most animals and plants +n07935737 drinking water (often spring water) that is put into bottles and offered for sale +n07935878 pure natural water from a stream or brook; often distinguished from soda water +n07936015 water from a spring +n07936093 water sweetened with sugar +n07936263 water suitable for drinking +n07936459 water served ice-cold or with ice +n07936548 effervescent beverage artificially charged with carbon dioxide +n07936745 water naturally or artificially impregnated with mineral salts or gasses; often effervescent; often used therapeutically +n07936979 naturally effervescent mineral water +n07937069 sparkling mineral water from springs at Vichy, France or water similar to it +n07937344 food that will decay rapidly if not refrigerated +n07937461 a spicy dish that originated in northern Africa; consists of pasta steamed with a meat and vegetable stew +n07937621 a cheese dish made with egg and bread crumbs that is baked and served in individual fireproof dishes +n07938007 a pill or tablet containing several vitamins +n07938149 a pill containing one or more vitamins; taken as a dietary supplement +n07938313 food traditionally eaten by African-Americans in the South +n07938594 a dish or dessert that is formed in or on a mold +n07942152 (plural) any group of human beings (men or women or children) collectively +n07951464 several things grouped together or considered as a whole +n07954211 a collection of rules or prescribed standards on the basis of which decisions are made +n07977870 a collection of literary documents or records kept for reference or borrowing +n08079613 a team of professional baseball players who play and travel together +n08182379 a large number of things or people considered together +n08238463 a body of students who are taught together +n08242223 a small group of indispensable persons or things +n08249459 a group of musicians playing brass and woodwind and percussion instruments +n08253141 a party of people assembled for dancing +n08256735 a party of people at a wedding +n08376250 a series of things depending on each other as if linked together +n08385989 a meeting of influential people to conduct business while eating breakfast +n08492354 any habitation at a high altitude +n08492461 the marketplace in ancient Greece +n08494231 a commercially operated park with stalls and shows for amusement +n08495908 apoapsis in solar orbit; the point in the orbit of a planet or comet that is at the greatest distance from the sun +n08496334 (golf) the part of the fairway leading onto the green +n08500819 the part of outer space within the solar system +n08500989 the space between stars +n08501887 the space between galaxies +n08505018 a large wilderness area +n08506347 a region much like a desert but usually located between a desert and the surrounding regions +n08511017 (nautical) at the ends of the transverse deck beams of a vessel +n08517010 a defensive post at the end of a bridge nearest to the enemy +n08517676 a place on a bus route where buses stop to discharge and take on passengers +n08518171 a site where people on holiday can pitch a tent +n08519299 a storage site (such as a small reservoir) that delays the flow of water downstream +n08521623 a tract of land used for burials +n08523340 point where the hairline meets the midpoint of the forehead +n08524735 a large and densely populated urban area; may include several independent administrative districts +n08539072 the central area or commercial center of a town or city +n08539276 outlying areas (as of a city or town) +n08540532 one of the administrative divisions of a large city +n08547468 a pasture for cows +n08547544 the top line of a hill, mountain, or wave +n08551296 a diocese of the Eastern Orthodox Church +n08554440 a residential district located on the outskirts of a city +n08555333 a wealthy residential suburb +n08555710 low space beneath a floor of a building; gives workers access to wiring or plumbing +n08558770 the domain ruled by a sheik +n08558963 any address at which you dwell more than temporarily +n08559155 (law) the residence where you have your permanent home or principal establishment and to where, whenever you are absent, you intend to return; every person is compelled to have one and only one domicile at a time +n08560295 a holiday resort offering ranch activities (riding and camping) +n08569482 a rural area where farming is practiced +n08571275 (sports) the middle part of a playing field (as in football or lacrosse) +n08571642 a narrow field that has been cleared to check the spread of a prairie fire or forest fire +n08571898 an open-air street market for inexpensive or secondhand articles +n08573674 the line along which opposing armies face each other +n08573842 an accumulation of refuse and discarded matter +n08578517 a region including the bottom of the sea and the littoral zones +n08579266 a district where gold is mined +n08579352 a field where grain is grown +n08580944 a position some distance below the top of a mast to which a flag is lowered in mourning or to signal distress +n08583292 the line formed by the lower edge of a skirt or coat +n08583455 a breeding ground for herons; a heron rookery +n08583554 the line formed by the lower edge of hip-length garment +n08583682 the line formed by measuring the hip at its greatest part +n08584914 a small unpretentious out-of-the-way place +n08586978 a field where junk is collected and stored for resale +n08589670 an isogram connecting points of equal magnetic inclination +n08596076 the region of the shore of a lake or sea or ocean +n08597579 either of two points where the lines of force of the Earth's magnetic field are vertical +n08598301 land where grass or grasslike vegetation grows and is the dominant form of plant life +n08598568 a place that attracts many visitors +n08599174 a meridian that passes through the observer's zenith +n08599292 meridian at zero degree longitude from which east and west are reckoned (usually the Greenwich longitude in England) +n08611339 the center point on a shield +n08611421 a space where automobiles are not allowed to park +n08613733 where the air is unconfined +n08614632 an open area for holding fairs or exhibitions or circuses +n08616050 a field covered with grass or herbage and suitable for grazing by livestock +n08618831 periapsis in solar orbit; the point in the orbit of a planet or comet where it is nearest to the sun +n08619112 periapsis in orbit around the moon +n08623676 the specific site in the body where an infection originates +n08628141 an older or native quarter of many cities in northern Africa; the quarter in which the citadel is located +n08633683 the area of a city (such as a harbor or dockyard) alongside a body of water +n08640531 a hotel located in a resort area +n08640739 an area where many people go for recreation +n08640962 the part of a golf course bordering the fairway where the grass is not cut short +n08643267 (India) a place of religious retreat for Hindus +n08644045 (nautical) a place of refuge (as for a ship) +n08645104 an uncultivated region covered with scrub vegetation +n08645212 an area of open or forested country +n08645318 a tract of open rolling country (especially upland) +n08647264 the yard associated with a school +n08648917 a place that is frequently exhibited and visited for its historical interest or natural beauty +n08649711 space by the side of a bed (especially the bed of a sick or dying person) +n08651104 a line that marks the side boundary of a playing field +n08652376 a resort with lodging and facilities for skiing +n08658309 a layer in a soil profile +n08658918 a layer of rock with a particular composition (especially of fossils); for dating the stratum +n08659242 a seam of coal +n08659331 the part of a coal seam that is being cut +n08659446 a geographic region (land or sea) under which something valuable is found +n08659861 a region rich in petroleum deposits (especially one with producing oil wells) +n08661878 the part of the Earth's surface between the Arctic Circle and the Tropic of Cancer or between the Antarctic Circle and the Tropic of Capricorn; characterized by temperate climate +n08662427 level space where heavy guns can be mounted behind the parapet at the top of a rampart +n08663051 the limit of a nation's territorial waters +n08663703 the top of a desk +n08663860 the upper part of anything +n08673039 a native village in Malaysia +n08674344 regions adjacent to the tropics +n08676253 an urban area in a Spanish-speaking country +n08677424 elevated open grassland in southern Africa +n08677801 the highest point (of something) +n08678783 a line corresponding to the surface of the water when the vessel is afloat on an even keel; often painted on the hull of a ship +n08679167 a line marking the highest level reached +n08679269 a line marking the lowest level reached +n08679562 the watershed of a continent (especially the watershed of North America formed by a series of mountain ridges extending from Alaska to Mexico) +n08685188 a belt-shaped region in the heavens on either side to the ecliptic; divided into 12 constellations or signs for astrological purposes +n08782627 an island in the Aegean Sea +n08896327 country or territory ruled by a sultan +n09032191 one of the cantons of Switzerland +n09186592 the deep sea (2000 meters or more) where there is no light +n09189157 the lofty nest of a bird of prey (such as a hawk or eagle) +n09191635 a bubble of air +n09193551 a flat resulting from repeated deposits of alluvial material by running water +n09193705 any high mountain +n09194227 a glacier that moves down from a high valley +n09199101 a mound of earth made by ants as they dig their nest +n09201998 underground bed or layer yielding ground water for wells and springs etc +n09203827 a group of many islands in a large body of water +n09205509 a sharp narrow ridge found in rugged mountains +n09206896 a stream or brook +n09206985 an upward slope or grade (as in a road) +n09208496 (astronomy) a cluster of stars (or a small constellation) +n09209025 the lower layer of the crust +n09210862 an island consisting of a circular coral reef surrounding a lagoon +n09213434 a long ridge or pile +n09213565 sloping land (especially the slope beside a body of water) +n09214060 a submerged (or partly submerged) ridge in a river or along a shore +n09214269 a pit where wood or charcoal is burned to make a bed of hot coals suitable for barbecuing meat +n09214916 a long coral reef near and parallel to the shore +n09215023 any of the elementary particles having a mass equal to or greater than that of a proton and that participate in strong interactions; a hadron with a baryon number of +1 +n09215437 a natural depression in the surface of the land often with a lake at the bottom of it +n09217230 an area of sand sloping down to the water of a sea or lake +n09218315 a structure of small hexagonal cells constructed from beeswax by bees and used to store honey and larvae +n09218494 something to which a mountain climber's rope can be secured +n09218641 a mountain or tall hill +n09219233 a narrow ledge or shelf typically at the top or bottom of a slope +n09223487 a calculus formed in the bladder +n09224725 a high steep bank (usually formed by river erosion) +n09226869 a pit created to provide earth that can be used as fill at another site +n09228055 a slope or hillside +n09229709 a hollow globule of gas (e.g., air or carbon dioxide) +n09230041 a hole made by an animal, usually for shelter +n09230202 a hill that rises abruptly from the surrounding region; has a flat top and sloping sides +n09231117 a large crater caused by the violent explosion of a volcano that collapses into a depression +n09233446 a ravine formed by a river in an area with little rainfall +n09233603 the steeply sloping side of a canyon +n09238926 a geological formation consisting of an underground enclosure with access from the surface of the ground or from the sea +n09239302 a large cave or a large chamber in a cave +n09242389 a deep opening in the earth's surface +n09245515 a steep-walled semicircular basin in a mountain; may contain a lake +n09246464 a steep high face of rock +n09247410 a visible mass of water or ice particles suspended at a considerable altitude +n09248153 a slope down which sleds may coast +n09248399 land in a coastal area +n09249034 a pass between mountain peaks +n09249155 a crater that has collected cosmic material hitting the earth +n09251407 (astronomy) a relatively small extraterrestrial body consisting of a frozen mass that travels around the sun in a highly elliptical orbit +n09255070 a glacier that spreads out from a central mass of ice +n09256479 a reef consisting of coral consolidated into limestone +n09257843 small or narrow cave in the side of a cliff or mountain +n09259025 a steep rugged rock or cliff +n09259219 a bowl-shaped depression formed by the impact of a meteorite or bomb +n09260907 arable land that is worked by plowing and sowing and raising crops +n09262690 an open river valley (in a hilly area) +n09263912 a narrow pass (especially one between mountains) +n09264803 a low triangular area of alluvial deposits where a river divides before entering a larger body of water +n09265620 a downward slope or bend +n09266604 a domed rock formation where a core of rock has moved upward and pierced through the more brittle overlying strata +n09267854 a piece of turf dug out of a lawn or fairway (by an animals hooves or a golf club) +n09268007 (golf) the cavity left when a piece of turf is cut from the ground by the club head in making a stroke +n09269341 (usually plural) a rolling treeless highland with little soil +n09269472 the downward slope of a hill +n09269882 a gully that is shallower than a ravine +n09270160 the nest of a squirrel +n09270657 a mound of glacial drift +n09270735 a ridge of sand created by the wind; found in deserts or near lakes and oceans +n09274152 a long steep slope or cliff at the edge of a plateau or ridge; usually formed by erosion +n09274305 (geology) a long winding ridge of post glacial gravel and other sediment; deposited by meltwater from glaciers or ice sheets +n09279986 a ball of fire (such as the sun or a ball-shaped discharge of lightning) +n09281252 a red dwarf star in which luminosity can change several magnitudes in a few minutes +n09282208 the ground on which people and animals move about +n09283193 any inanimate object (as a towel or money or clothing or dishes or books or toys etc.) that can transmit infectious agents from one person to another +n09283405 a relatively low hill on the lower slope of a mountain +n09283514 the lower wall of an inclined fault +n09283767 land forming the forward margin of something +n09283866 the part of the seashore between the highwater mark and the low-water mark +n09287415 a particle that mediates the interaction of two elementary particles +n09287968 (geology) the geological features of the earth +n09288635 a spring that discharges hot water and steam +n09289331 a slowly moving mass of ice +n09289596 a narrow secluded valley (in the mountains) +n09290350 a hole in the ground made by gophers +n09290444 a deep ravine (usually with a river running through it) +n09294877 a small cave (usually with attractive features) +n09295210 a small iceberg or ice floe just large enough to be hazardous for shipping +n09295946 a narrow gorge with a stream running through it +n09300306 deep ditch cut by running water (especially after a prolonged downpour) +n09300905 many objects thrown forcefully through the air +n09302616 elevated (e.g., mountainous) land +n09303008 a local and well-defined elevation of the land +n09303528 the side or slope of a hill +n09304750 a depression hollowed out of solid matter +n09305031 a small valley between mountains +n09305898 a natural spring of water at a temperature of 70 F or above +n09308572 a large mass of ice floating at sea; usually broken off of a polar glacier +n09308743 a mass of ice and snow that permanently covers a large area of land (e.g., the polar regions or a mountain peak) +n09309046 a large flat mass of ice (larger than an ice floe) floating at sea +n09309168 a flat mass of ice (smaller than an ice field) floating at sea +n09309292 a large mass of ice +n09310616 a geological fault in which one side is above the other +n09315159 a particle that is electrically charged (positive or negative); an atom or molecule or group that has lost or gained one or more electrons +n09319604 a relatively narrow strip of land (with water on both sides) connecting two larger land areas +n09325824 a calculus formed in the kidney +n09326662 a small natural hill +n09327077 a small hill rising up from the African veld +n09327538 a disk-shaped region of minor planets outside the orbit of Neptune +n09330378 the bottom of a lake +n09331251 land bordering a lake +n09332890 the shore of a lake +n09335693 the seacoast first sighted on a voyage (or flight over water) +n09335809 a low area that has been filled in +n09336555 the foam resulting from excessive sweating (as on a horse) +n09337048 an accidental hole that allows something (fluid or light etc.) to enter or escape +n09337253 a projecting ridge on a mountain or submerged under water +n09338013 an elementary particle that participates in weak interactions; has a baryon number of 0 +n09339810 the solid part of the earth consisting of the crust and outer mantle +n09344198 low level country +n09344324 a crater on the Earth's Moon +n09344724 a flat-bottomed volcanic crater that was formed by an explosion; often filled with water +n09348460 a block of the earth's crust bounded by faults and shifted to form peaks of a mountain range +n09349648 a bend or curve, as in a stream or river +n09351905 flat tableland with steep edges +n09352849 stony or metallic object that is the remains of a meteoroid that has reached the earth's surface +n09353815 a fossil that must be studied microscopically +n09354511 the middle of a stream +n09357346 a mound of earth made by moles while burrowing +n09357447 a geological formation in which all strata are inclined in the same direction +n09359803 a land mass that projects well above its surroundings; higher than a hill +n09361517 the side or slope of a mountain +n09362316 the point where a stream issues into a larger body of water +n09362945 a term used in Scottish names of promontories +n09366017 a sunken or depressed geological formation +n09366317 a raised or elevated geological formation +n09375606 a ravine or gully in southern Asia +n09376198 a large body of water constituting a principal part of the hydrosphere +n09376526 the bottom of a sea or ocean +n09376786 land bordering an ocean +n09381242 the part of a rock formation that appears above the surface of the surrounding land +n09382099 the land inside an oxbow bend in a river +n09384106 a meteorite composed principally of olivine and metallic iron +n09389867 a hole made in something +n09391386 the intensely luminous surface of a star (especially the sun) +n09391644 a gentle slope leading from the base of a mountain to a region of flat land +n09391774 a type of glaciation characteristic of Alaska; large valley glaciers meet to form an almost stagnant sheet of ice +n09392402 an area planted with pine trees or related conifers +n09393524 the beach at a seaside resort +n09393605 extensive tract of level open land +n09396465 a promontory extending out into a large body of water +n09396608 a glacier near the Arctic or Antarctic poles +n09398076 a pit or hole produced by wear or weathering (especially in a road surface) +n09398677 a very steep cliff +n09399592 a natural elevation (especially a rocky one that juts out into the sea) +n09400584 calculus in a salivary gland +n09400987 a degenerate neutron star; small and extremely dense; rotates very fast and emits regular pulses of polarized radiation +n09402944 a pit filled with loose wet sand into which objects are sucked down +n09403086 a hole in the ground as a nest made by wild rabbits +n09403211 any object that radiates energy +n09403427 an arc of colored light in the sky caused by refraction of the sun's rays by rain +n09403734 a series of hills or mountains +n09405078 land suitable for grazing livestock +n09405787 a deep narrow steep-sided valley (especially one formed by running water) +n09406793 a submerged ridge of rock or coral near the surface of the water +n09409512 a long narrow natural elevation or striation +n09409752 a long narrow range of hills +n09410224 a valley with steep sides; formed by a rift in the earth's crust +n09411189 woodlands along the banks of stream or river +n09411295 one of a series of small ridges produced in sand by water currents or by wind +n09415584 the bank of a river +n09415671 a channel occupied (or formerly occupied) by a river +n09416076 a lump or mass of hard consolidated mineral matter +n09416890 the inner top surface of a covered area or hollow space +n09421031 a shallow basin in a desert region; contains salt and gypsum that was deposited by an evaporated salt lake +n09421799 a submerged bank of sand near a shore or in a river; can be exposed at low tide +n09421951 a bar of sand +n09422190 a large pit in sandy ground from which sand is dug +n09422631 a low area where waste is buried between layers of earth +n09425019 a pit over which lumber is positioned to be sawed by two men with a long two-handed saw +n09425344 (geology) flat elevated land with poor soil and little vegetation that is scarred by dry channels of glacial origin (especially in eastern Washington) +n09428293 the shore of a sea or ocean +n09428628 the shore of a sea or ocean regarded as a resort +n09429630 a long and tall sand dune with a sharp crest; common in the Sahara +n09432283 a rigid covering that envelops an object +n09432990 something that shines (with emitted or reflected light) +n09433312 a sandbank in a stretch of water that is visible at low tide +n09433442 the land along the edge of a body of water +n09433839 a boundary line between land and water +n09435739 a depression in the ground communicating with a subterranean passage (especially in limestone) and formed by solution or by collapse of a cavern roof +n09436444 a snow-covered slope for skiing +n09436708 the atmosphere and outer space as viewed from the earth +n09437454 an elevated geological formation +n09438844 a covering of snow (as on a mountain peak) +n09438940 a mass of snow heaped up by the wind +n09439032 a permanent wide expanse of snow +n09439213 the froth produced by soaps or detergents +n09442595 a narrow strip of land that juts out into the sea +n09443281 the trail left by a person or an animal; what the hunter follows in pursuing game +n09443641 foam or froth on the sea +n09444783 any celestial body visible (as a point of light) from the Earth at night +n09445008 a steep place (as on a hill) +n09445289 extensive plain without trees (associated with eastern Russia and Siberia) +n09447666 a poetic term for a shore (as the area periodically covered and uncovered by the tides) +n09448690 a channel occupied (or formerly occupied) by a stream +n09450163 the star that is the source of light and heat for the planets in the solar system +n09451237 a star that explodes and becomes extremely luminous in the process +n09452291 a low area (especially a marshy area between ridges) +n09452395 low land that is seasonally flooded; has more woody plants than a marsh and better drainage than a bog +n09452760 a rounded elevation (especially one on an ocean floor) +n09453008 a relatively flat highland +n09454153 a sloping mass of loose rocks at the base of a cliff +n09454412 a twisted and tangled mass that is highly interwoven +n09454744 a natural accumulation of bitumens at the surface of the earth; often acts as a trap for animals whose bones are thus preserved +n09456207 a level shelf of land interrupting a declivity (with steep slopes above and below) +n09457979 a basin that is full of water at high tide +n09458269 land near the sea that is overflowed by the tide +n09459979 a high rocky hill +n09460046 a prominent rock or pile of rocks on a hill +n09461069 a multiple star in the constellation of Orion +n09462600 the lowest atmospheric layer; from 4 to 11 miles high (depending on latitude) +n09463226 a vast treeless plain in the Arctic regions where the subsoil is permanently frozen +n09464486 an object that emits or reflects light in an intermittent flickering manner +n09466678 the upward slope of a hill +n09467696 a urinary stone +n09468604 a long depression in the surface of the land that usually contains a river +n09470027 indirect transmission of an infectious agent that occurs when a vehicle (or fomite) touches a person's body or is ingested +n09470222 a layer of ore between layers of rock +n09472413 a bowl-shaped geological formation at the top of a volcano +n09472597 a mountain formed by volcanic material +n09474010 gully or streambed in northern Africa and the Middle East that remains dry except during rainy season +n09474412 a vertical (or almost vertical) smooth rock face (as of a cave or mountain) +n09474765 a series of connected underground tunnels occupied by rabbits +n09475044 habitation for wasps or hornets +n09475179 natural or artificial channel through which water flows +n09475925 land bordering a body of water +n09476123 underground surface below which the ground is wholly saturated with water +n09478210 any of various hard colored rocks (especially rocks consisting of chert or basalt) +n09480959 fossil trail of a worm +n09481120 (geology) a piece of rock of different origin from the igneous rock in which it is embedded +n09493983 (Greek mythology) a sorceress who detained Odysseus on her island and turned his men into swine +n09495962 winged monster with the head of an eagle and the body of a lion +n09505153 a leader in religious or sacred affairs +n09537660 any expected deliverer +n09556121 (Roman mythology) a vestal virgin who became the mother by Mars of the twins Romulus and Remus +n09605110 a reference to yourself or myself etc.; `take care of number one' means to put your own interests first +n09606009 a person who enjoys taking risks +n09606527 a person who is unusual +n09607630 a person who is appointed to a job or position +n09607782 someone engaged in a dangerous but potentially rewarding adventure +n09607903 a Jew of eastern European or German descent +n09608709 a person who helps people or institutions (especially with financial help) +n09610255 a person unable to distinguish differences in hue +n09610405 a person who holds no title +n09611722 someone appointed by a court to assume responsibility for the interests of a minor or incompetent person +n09612700 an investor who deliberately decides to go against the prevailing wisdom of other investors +n09613118 an Italian farmer +n09613191 a person who participates in competitions +n09613690 one of two or more signers of the same document (as a treaty or declaration) +n09615336 a participant in a formal discussion +n09616573 a specialist in wine making +n09616922 a person who tries to please or amuse +n09617161 an orator who delivers eulogies or panegyrics +n09617435 a former gambler +n09617577 a research worker who conducts experiments +n09617696 a person who enjoys testing innovative ideas +n09618760 someone who expounds and interprets or explains +n09618880 a former president +n09618957 a part of a person that is used to refer to a person +n09619168 a person who belongs to the sex that can have babies +n09619452 a worker who performs the last step in a manufacturing process +n09620078 a person who inhabits a particular place +n09620794 an indigenous person who was born in a particular place +n09621232 a person born in a particular place or country +n09622049 a young person, not fully developed +n09622302 a person who loves someone or is loved by someone +n09624168 a person who belongs to the sex that cannot have babies +n09624559 a negotiator who acts as a link between parties +n09624899 a woman who is a mediator +n09625401 a person who owes allegiance to that nation +n09626238 a person who is of equal standing with another in a group +n09627807 the winner of a lottery +n09627906 a person who receives something +n09629065 a person addicted to religion or a religious zealot +n09629246 a person who enjoys sensuality +n09629752 a person who changes location +n09631129 a person who for some reason is not wanted or welcome +n09632274 a person who lacks technical training +n09632518 a person who works at a specific occupation +n09633969 a person who transgresses moral or civil law +n09635534 an African who is Black +n09635635 a white native of Cape Province who is a descendant of Dutch settlers and who speaks Afrikaans +n09635973 (according to Nazi doctrine) a Caucasian person of Nordic descent (and not a Jew) +n09636339 a person with dark skin who comes from Africa (or whose ancestors came from Africa) +n09637339 a woman who is Black +n09638454 an offspring of a black and a white parent +n09638875 a member of the Caucasoid race +n09639382 a member of the Sunni Muslim people living in northwestern Caucasia +n09639919 a member of a group of Semitic-speaking peoples of the Middle East and northern Africa +n09640327 an inhabitant of ancient Chaldea +n09640715 a member of an ancient warlike people living in Elam east of Babylonia as early as 3000 BC +n09641002 a man who is White +n09641578 a white person of Anglo-Saxon ancestry who belongs to a Protestant denomination +n09643799 (slang) a disparaging term for an Asian person (especially for North Vietnamese soldiers in the Vietnam War) +n09644152 a member of the nomadic peoples of Mongolia +n09644657 a member of the Mongolian people of central Asia who invaded Russia in the 13th century +n09648743 a member of any of various Indian peoples of central Mexico +n09648911 a member of the Nahuatl people who established an empire in Mexico that was overthrown by Cortes in 1519 +n09649067 a member of an early Mesoamerican civilization centered around Veracruz that flourished between 1300 and 400 BC +n09650729 a member of the Siouan people of southeastern Mississippi +n09650839 a member of a warlike group of Algonquians living in the northwestern plains +n09650989 a member of a group of Siouan people who constituted a division of the Teton Sioux +n09651123 a group of Plains Indians formerly living in what is now North and South Dakota and Nebraska and Kansas and Arkansas and Louisiana and Oklahoma and Texas +n09651968 a member of a North American Indian people living on the western plains (now living in Oklahoma and Montana) +n09652149 a member of the Muskhogean people formerly living in northern Mississippi +n09653144 a member of a North American Indian people living around the mouth of the Colorado River +n09653438 a member of the Shoshonean people who formerly lived between Wyoming and the Mexican border but are now chiefly in Oklahoma +n09654079 any member of the Creek Confederacy (especially the Muskogee) formerly living in Georgia and Alabama but now chiefly in Oklahoma +n09654518 a member of an Algonquian people formerly living in New Jersey and New York and parts of Delaware and Pennsylvania +n09654898 a member of a North American Indian people of southern California +n09655213 a member of a North American Indian people living on the California coast near Monterey +n09655466 a member of the Caddo people of northeastern Texas +n09656077 a member of a North American Indian people of Cataract Canyon in Arizona +n09657206 a member of the Siouan people who constituted a division of the Teton Sioux and who formerly lived in the western Dakotas; they were prominent in resisting the white encroachment into the northern Great Plains +n09657748 a member of the Siouan people formerly living in Iowa and Minnesota and Missouri +n09658254 a member of the North American Indian people of Oregon +n09658398 a member of a North American Indian people of southeastern California and northwestern Mexico +n09658815 a member of a Mayan people of north central Guatemala +n09658921 a member of a Caddo people formerly living in north central Texas +n09659039 a member of the Algonquian people formerly inhabiting southern Wisconsin and northern Illinois +n09659188 a member of a North American Indian people living in northern Baja California +n09660010 a member of the Algonquian people of northeastern Maine and New Brunswick +n09660240 a member of a North American Indian people of the Gila river valley in Arizona +n09661873 a member of the Algonquian people formerly living in the Hudson valley and eastward to the Housatonic +n09662038 a member of any of the peoples formerly living in southeastern United States and speaking Muskhogean languages +n09662661 a member of an Athapaskan people that migrated to Arizona and New Mexico and Utah +n09662951 a member of the Wakashan people living on Vancouver Island and in the Cape Flattery region of northwestern Washington +n09663248 a member of the Siouan people who constituted a division of the Teton Sioux and who formerly inhabited the Black Hills of western South Dakota +n09663786 a member of the Siouan people formerly living in Missouri in the valleys of the Missouri and Osage rivers; oil was found on Osage lands early in the 20th century +n09663999 a member of the Iroquoian people formerly living east of Lake Ontario +n09664556 a member of either of two Shoshonean peoples (northern Paiute and southern Paiute) related to the Aztecs and living in the southwestern United States +n09664908 a member of the Algonquian people related to the Malecite and living in northeastern Maine and New Brunswick +n09665367 a member of the Algonquian people belonging to the Abnaki confederacy and living in the Penobscot valley in northern Maine +n09665545 a member of a North American Indian people speaking one of the Penutian languages +n09666349 a member of the Algonquian people originally of Michigan and Wisconsin +n09666476 a member of the Algonquian people who formerly lived in eastern Virginia +n09666883 a deified spirit of the Pueblo people +n09667358 a member of a group of North American Indians speaking a Salishan language and living on the northwest coast of North America +n09668199 a member of a North American Indian people who lived in Oregon along the Columbia river and its tributaries in Washington and northern Idaho +n09668437 a member of the Indian people of northern California and southern Oregon +n09668562 a member of the Algonquian people formerly living along the Tennessee river +n09668988 a member of a group of Siouan people who constituted a division of the Teton Sioux +n09669631 a member of the large western branch of Sioux people which was made up of several groups that lived on the plains +n09670280 a member of a group of peoples of Mexico +n09670521 a member of the Taracahitian people of north central Mexico +n09670909 a member of an Iroquois people who formerly lived in North Carolina and then moved to New York State and joined the Iroquois +n09671089 a member of the Siouan people of Virginia and North Carolina +n09672590 a member of an extinct North American Indian people who lived in northern California +n09672725 a member of a North American Indian people of central Arizona +n09672840 a member of the North American Indian people of the San Joaquin Valley +n09673091 a member of the North American Indian people of Arizona and adjacent Mexico and California +n09674412 a member of an agricultural people in southeastern India +n09674786 a member of a formerly tribal people now living in south central India +n09675045 a member of the Dravidian people living in southeastern India +n09675673 a member of a pastoral people living in the Nilgiri Hills of southern India +n09675799 a member of a Dravidian people living on the southwestern coast of India +n09675922 a member of the people of Gujarat +n09676021 a member of the people of Kashmir +n09676247 a member of the majority people of Punjab in northwestern India +n09676884 any member of the people of eastern Europe or Asian Russia who speak a Slavonic language +n09677427 adherent of Anabaptism +n09678747 a member of Christian denomination that expects the imminent advent of Christ +n09679028 a Christian as contrasted with a Jew +n09679170 a person who is not a member of one's own religion; used in this sense by Mormons and Hindus +n09679925 a member of a Catholic church +n09680908 a member of the church formed in the 19th century by German Catholics who refused to accept the infallibility of the Pope +n09681107 a member of the Uniat Church +n09681234 a member of the Coptic Church +n09681973 a woman who is a Jew +n09683180 a Muslim who is involved in a jihad +n09683757 one who follows the teachings of Buddha +n09683924 an adherent of the doctrines of Zen Buddhism +n09684082 an adherent of Mahayana Buddhism +n09684901 a Hindu religious teacher; used as a title of respect +n09685233 worshipper of Krishna and member of the International Society for Krishna Consciousness +n09685806 a believer in Shintoism +n09686262 a person of mixed European and African descent +n09686401 a person of mixed European and Asian descent +n09688233 a Gaelic-speaking Celt in Ireland or Scotland or the Isle of Man +n09688804 a member of the ancient Germanic peoples who spread from the Rhine into the Roman Empire in the 4th century +n09689435 a native or inhabitant of Afghanistan +n09689958 a native or inhabitant of Albania +n09690083 a native or inhabitant of Algeria +n09690208 any member of the peoples speaking a language in the Altaic language group +n09690496 a native or inhabitant of Andorra +n09690621 a native or inhabitant of Angola +n09690864 a native or inhabitant of the island of Anguilla in the West Indies +n09691604 a native or inhabitant of Austria +n09691729 a native or inhabitant of the Bahamas +n09691858 a native or inhabitant of Bahrain +n09692125 a member of a subgroup of people who inhabit Lesotho +n09692915 a member of a pastoral Bantu people living in Namibia, Botswana, and Angola +n09693244 a member of a Bantu people in southeastern Congo +n09693982 a native or inhabitant of Barbados +n09694664 a native or inhabitant of Bolivia +n09694771 a native or inhabitant of Borneo +n09695019 a native or inhabitant of Rio de Janeiro +n09695132 a member of the South American Indian people living in Brazil and Paraguay +n09695514 a native or inhabitant of Brunei +n09695620 a native or inhabitant of Bulgaria +n09695979 a native or inhabitant of Byelorussia +n09696456 a native or inhabitant of Cameroon +n09696585 a native or inhabitant of Canada +n09696763 a Canadian descended from early French settlers and whose native language is French +n09697401 a native or inhabitant of Central America +n09697986 a native or inhabitant of Chile +n09698644 a native or inhabitant of the Republic of the Congo +n09699020 a native or inhabitant of Cyprus +n09699642 a native or inhabitant of Denmark +n09700125 a native or inhabitant of Djibouti +n09700964 a native or inhabitant of Great Britain +n09701148 a native or inhabitant of England +n09701833 a woman who is a native or inhabitant of England +n09702134 a person of Anglo-Saxon (especially British) descent whose native tongue is English and whose culture is strongly influenced by English culture as in WASP for `White Anglo-Saxon Protestant' +n09702673 a member of a Germanic people who conquered England and merged with the Saxons and Jutes to become Anglo-Saxons +n09703101 an inhabitant of Wessex +n09703344 a member of a Germanic people who invaded northern Italy in the 6th century +n09703485 a man of English descent +n09703708 a resident of Cambridge +n09703809 a man who is a native or inhabitant of Cornwall +n09703932 a woman who is a native or resident of Cornwall +n09704057 a resident of Lancaster +n09704157 a member (or supporter) of the house of Lancaster +n09704283 a native of Newcastle-upon-Tyne +n09705003 a native or resident of Oxford +n09705124 a native or inhabitant of Ethiopia +n09705671 a member of the Semitic speaking people of northern Ethiopia +n09705784 a native or inhabitant of Eritrea +n09706029 a native or inhabitant of Finland +n09706255 a member of a Finnish people living in the northwestern Urals in Russia +n09707061 a member of the Livonian-speaking people of Latvia +n09707289 a native or inhabitant of Lithuania +n09707735 one of the people of mixed Ostyak and Samoyed origin in Siberia +n09708750 a native or resident of Paris +n09708889 a female native or resident of Paris +n09709531 a person descended from French ancestors in southern United States (especially Louisiana) +n09709673 a person of European descent born in the West Indies or Latin America +n09710041 a native or inhabitant of Gabon +n09710164 a native or inhabitant of Greece +n09710886 a member of one of four linguistic divisions of the prehistoric Greeks +n09711132 a resident of Athens +n09711435 a resident of Laconia +n09712324 a native or inhabitant of Guyana +n09712448 a native or inhabitant of Haiti +n09712696 a member of a people inhabiting the northern Malay Peninsula and Malaysia and parts of the western Malay Archipelago +n09712967 a member of the predominantly Muslim people in the southern Philippines +n09713108 a native or inhabitant of Holland +n09714120 a native or inhabitant of Iceland +n09714694 a native or inhabitant of Iraq +n09715165 a man who is a native or inhabitant of Ireland +n09715303 a woman who is a native or inhabitant of Ireland +n09715427 a resident of Dublin +n09716047 a native or inhabitant of Italy +n09716933 a resident of modern Rome +n09717233 a member of an ancient Oscan-speaking people of the central Apennines north of Rome who were conquered and assimilated into the Roman state in 290 BC +n09718217 a native or inhabitant of Japan +n09718811 a native or inhabitant of Jordan +n09718936 a native or inhabitant of Korea who speaks the Korean language +n09719309 a native or inhabitant of Kenya +n09719794 a member of a Buddhist people inhabiting the area of the Mekong River in Laos and Thailand and speaking the Lao language; related to the Thais +n09720033 a member of an indigenous nomadic people living in northern Scandinavia and herding reindeer +n09720256 a native of Latin America +n09720595 a native or inhabitant of Lebanon +n09720702 (formerly) a native or inhabitant of the Levant +n09720842 a native or inhabitant of Liberia +n09721244 a native or inhabitant of Luxembourg +n09721444 a native or inhabitant of Macedon +n09722064 a Malaysian from Sabah +n09722658 a native or inhabitant of Mexico +n09722817 a person of Mexican descent +n09723067 a Mexican (or person of Mexican descent) living in the United States +n09723819 a native or inhabitant of Namibia +n09723944 a native or inhabitant of Nauru +n09724234 a member of Hindu people descended from brahmins and Rajputs who live in Nepal +n09724533 a native or inhabitant of New Zealand +n09724656 a native or inhabitant of Nicaragua +n09724785 a native or inhabitant of Nigeria +n09725000 a member of a Negroid people living chiefly in northern Nigeria +n09725229 a native or inhabitant of North America +n09725546 a native or inhabitant of Nova Scotia +n09725653 a native or inhabitant of Oman +n09725772 a native or inhabitant of Pakistan +n09725935 a member of a Dravidian people living in Pakistan +n09726621 a member of a native Indian group in South America +n09726811 a member of an American Indian peoples of northeastern South America and the Lesser Antilles +n09727440 a native or inhabitant of the Philippines +n09727826 a native or inhabitant of Polynesia +n09728137 a native or inhabitant of Qatar +n09728285 a native or inhabitant of Romania +n09729062 a resident of Moscow +n09729156 a native or inhabitant of Georgia in Asia +n09730077 a native or inhabitant of Sarawak +n09730204 an inhabitant of Scandinavia +n09730824 a native or inhabitant of Senegal +n09731343 a native of Slovenia +n09731436 a native or inhabitant of South Africa +n09731571 a native or inhabitant of South America +n09732170 a native or inhabitant of Sudan +n09733459 a native or inhabitant of Syria +n09733793 a native or inhabitant of Tahiti +n09734185 a native or inhabitant of Tanzania +n09734450 a native or inhabitant of Tibet +n09734535 a native or inhabitant of Togo +n09734639 a member of a nomadic Berber people of the Sahara +n09735258 any member of the peoples speaking a Turkic language +n09735654 a member of a people of Turkic speech living in the Volga region in eastern Russia +n09736485 a member of a Turkic people living in Turkmenistan and neighboring areas +n09736798 a member of a Turkic people of Uzbekistan and neighboring areas +n09736945 a native or inhabitant of Uganda +n09737050 a native or inhabitant of the Ukraine +n09737161 a member of a Turkic people of northeastern Siberia (mainly in the Lena river basin) +n09737453 a member of the Tungus speaking people of Mongolian race who are a nomadic people widely spread over eastern Siberia; related to the Manchu +n09738121 a member of the largest ethnic group in southeastern Nigeria +n09738400 a native or inhabitant of a North American or Central American or South American country +n09740724 an American who was born in Britain or one whose ancestors were British +n09741074 a member or descendant of any of the aboriginal peoples of Alaska +n09741331 a native or resident of Arkansas +n09741722 a native or resident of the Carolinas +n09741816 a native or resident of Colorado +n09741904 a native or resident of Connecticut +n09741999 a native or resident of Delaware +n09742101 a native or resident of Florida +n09742315 an American who was born in Germany or whose ancestors were German +n09742927 a native or resident of Illinois +n09743487 a native or resident of Maine +n09743601 a native or resident of Maryland +n09743792 a native or resident of Minnesota +n09744161 a native or resident of Nebraska +n09744346 a native or resident of New Hampshire +n09744462 a native of resident of New Jersey +n09744679 a native or resident of New York (especially of New York City) +n09744834 a native or resident of North Carolina +n09745229 a native or resident of Oregon +n09745324 a native or resident of Pennsylvania +n09745834 a native or resident of Texas +n09745933 a native or resident of Utah +n09746936 a native or inhabitant of Uruguay +n09747191 a native or inhabitant of Vietnam +n09747495 a native or inhabitant of Gambia +n09748101 a native or inhabitant of the former republic of East Germany +n09748408 an inhabitant of Berlin +n09748648 a German inhabitant of Prussia +n09748889 a native or inhabitant of Ghana +n09749386 a native or inhabitant of Guinea +n09750282 a native or inhabitant of Papua New Guinea or New Guinea +n09750641 a member of the French-speaking people living in Belgium +n09750770 a native or inhabitant of Yemen +n09750891 a native or inhabitant of Yugoslavia +n09751076 a member of a Slavic people who settled in Serbia and neighboring areas in the 6th and 7th centuries +n09751496 a member of the Negroid people of southern South Africa +n09751622 a native or inhabitant of Zaire +n09751895 a native or inhabitant of Zimbabwe +n09752023 a member of the tall Negroid people of eastern South Africa; some live in KwaZulu-Natal under the traditional clan system but many now work in the cities +n09752519 (astrology) a person who is born while the sun is in Gemini +n09753348 (astrology) a person who is born while the sun is in Sagittarius +n09753792 (astrology) a person who is born while the sun is in Pisces +n09754152 a French abbot +n09754217 the superior of a group of nuns +n09754633 one who gives up or relinquishes or renounces something +n09754907 one who shortens or abridges or condenses a written work +n09755086 one who makes abstracts or summarizes information +n09755241 a fugitive who runs away and hides to avoid arrest or prosecution +n09755555 someone who grants absolution +n09755788 a novice learning the rudiments of some subject +n09755893 one whose behavior departs substantially from the norm of a group +n09756049 one who helps or encourages or incites another +n09756195 a signer of a 1679 address to Charles II in which those who petitioned for the reconvening of parliament were condemned and abhorred +n09756961 a person who is loathsome or disgusting +n09757449 a person who descends down a nearly vertical face by using a doubled rope that is wrapped around the body and attached to some high point +n09758173 someone who practices self denial as a spiritual discipline +n09758885 an administrator in a college or university +n09759501 someone elected to honorary membership in an academy +n09760290 a person who procures or advises or commands the commission of a felony but who is not present at its perpetration +n09760609 one paid to accompany or assist or live with another +n09760913 a person who provides musical accompaniment (usually on a piano) +n09761068 a person who joins with another in carrying out some plan (especially an unethical or illegal plan) +n09761753 someone in charge of a client's account for an advertising agency or brokerage or other service business +n09762011 a defendant in a criminal proceeding +n09762385 someone who imputes guilt or blame +n09763272 someone who takes LSD +n09763784 a person with whom you are acquainted +n09764201 a person who acquires something (usually permanently) +n09764598 an acrobat who performs in the air (as on a rope or trapeze) +n09764732 the case officer designated to perform an act during a clandestine operation (especially in a hostile area) +n09764900 a person who is a participating member of an organization +n09765118 a citizen who takes an active role in the community (as in crime prevention and neighborhood watch) +n09765278 a theatrical performer +n09767197 a person who acts and gets things done +n09769076 someone who is so ardently devoted to something that it resembles an addiction +n09769525 a discussant who offers an example or a reason or a proof +n09769929 one who investigates insurance claims or claims for damages and recommends an effective settlement +n09770179 an officer who acts as military assistant to a more senior officer +n09770359 a general's adjutant; chief administrative officer +n09771435 someone who admires a young woman +n09772330 someone (such as a child) who has been adopted +n09772746 someone who commits adultery or fornication +n09772930 a woman adulterer +n09773962 someone whose business is advertising +n09774167 someone who receives advice +n09774783 a person who pleads for a cause or propounds an idea +n09775907 an engineer concerned with the design and construction of aircraft +n09776346 a subordinate or subsidiary associate; a person who is affiliated with another or with an organization +n09776642 an affluent person; a person who is financially well off +n09776807 a serious devotee of some particular music genre or musical performer +n09777870 a sergeant of the lowest rank in the military +n09778266 an operative serving as a penetration into an intelligence target +n09778537 an unpleasant person who is annoying or exasperating +n09778783 one who agitates; a political troublemaker +n09778927 a person who claims that they cannot have true knowledge about the existence of God (but does not deny that God might exist) +n09779124 someone who is doubtful or noncommittal about something +n09779280 someone involved in a contest or battle (as in an agon) +n09779461 a newspaper columnist who answers questions and offers advice on personal problems to people who write in +n09779790 someone concerned with the science or art or business of cultivating the soil +n09780395 a military attache who is a commissioned or warrant officer in an air force +n09780828 an officer in the airforce +n09780984 a flighty scatterbrained simpleton +n09781398 someone who travels by airplane +n09781504 a person who alarms others needlessly +n09781650 a person with congenital albinism: white hair and milky skin; eyes are usually pink +n09782167 a person who drinks alcohol to excess habitually +n09782397 a member of a municipal legislative body (as a city council) +n09782855 a person with alexia +n09783537 someone to whom the title of property is transferred +n09783776 someone from whom the title of property is transferred +n09783884 a person who can read but is disinclined to derive information from literary sources +n09784043 a mathematician whose specialty is algebra +n09784160 someone who communicates in allegories +n09784564 a speaker or writer who makes use of alliteration +n09785236 an official in a British hospital who looks after the social and material needs of the patients +n09785659 a mountain climber who specializes in difficult climbs +n09785891 a boy serving as an acolyte +n09786115 a singer whose voice lies in the alto clef +n09787534 a diplomat of the highest rank; accredited as representative from one country to another +n09787765 an informal representative +n09788073 an attacker who waits in a concealed position to launch a surprise attack +n09788237 an adviser to the court on some matter of law who is not a party to the case; usually someone who wants to influence the outcome of a lawsuit involving matters of wide public interest +n09789150 someone who adheres to the doctrine that ordinary moral distinctions are invalid +n09789566 someone who has had a limb removed by amputation +n09789898 someone who looks for analogies or who reasons by analogy +n09790047 an illiterate person who does not know the alphabet +n09790482 someone who is skilled at analyzing data +n09791014 an analyst of conditions affecting a particular industry +n09791419 someone skilled in planning marketing campaigns +n09791816 an advocate of anarchism +n09792125 a detested person +n09792555 someone from whom you are descended (but usually more remote than a grandparent) +n09792969 a television reporter who coordinates a broadcast to which several correspondents contribute +n09793141 a person who lived in ancient times +n09793352 a person skilled in telling anecdotes +n09793946 a fisherman who uses a hook and line +n09794550 the technician who produces animated cartoons +n09794668 one who accepts the doctrine of animism +n09795010 a commentator who writes notes to a text +n09795124 reads news, commercials on radio or television +n09795334 someone who proclaims a message publicly +n09796809 a person who is opposed (to an action or policy or practice etc.) +n09796974 a person who is opposed to the United States and its policies +n09797742 someone who hates and would persecute Jews +n09797873 a soldier in the Australian and New Zealand army corps during World War I +n09797998 a person assumed to have been raised by apes +n09798096 someone afflicted by aphakia; someone lacking the natural lenses of the eyes +n09800469 the party who appeals a decision of a lower court +n09800964 an official who is appointed +n09801102 a person who seizes or arrests (especially a person who seizes or arrests in the name of justice) +n09801275 the butt of a prank played on April 1st +n09801533 an ambitious and aspiring young person +n09802445 a person who is fully aware of something and understands it +n09802641 someone who takes for his or her own use (especially without permission) +n09802951 a scholar who specializes in Arab languages and culture +n09804230 a person who archaizes +n09805151 a bishop of highest rank +n09805324 a person who is expert in the use of a bow and arrow +n09805475 someone who creates plans to be used in making something (such as buildings) +n09806944 a person in charge of collecting and cataloguing archives +n09807075 a senior clergyman and dignitary +n09808080 a follower of Aristotle or an adherent of Aristotelianism +n09808591 a nobleman entitled to bear heraldic arms +n09809279 a military attache who is a commissioned or warrant officer in an army +n09809538 a member of the military who is trained in engineering and construction work +n09809749 an officer in the armed forces +n09809925 a musician who adapts a composition for particular voices or instruments or for another style of performance +n09810166 someone who arrives (or has arrived) +n09811568 a person afflicted with arthritis +n09811712 someone who pronounces words +n09811852 a serviceman in the artillery +n09813219 a person who poses for a painter or sculptor +n09814252 an analyst who assays (performs chemical tests on) metals +n09814381 someone who is a member of a legislative assembly +n09814488 a woman assemblyman +n09814567 a person who assents +n09814660 someone who claims to speak the truth +n09815455 (law) the party to whom something is assigned (e.g., someone to whom a right or property is legally transferred) +n09815790 a person who contributes to the fulfillment of a need or furtherance of an effort or purpose +n09816654 a teacher or lower rank than an associate professor +n09816771 a person who joins with others in some activity or endeavor +n09817174 a person with subordinate membership in a society, institution, or commercial enterprise +n09817386 a teacher lower in rank than a full professor but higher than an assistant professor +n09818022 a person trained to travel in a spacecraft +n09819477 a scientist knowledgeable about cosmography +n09820044 someone who denies the existence of god +n09820263 a person trained to compete in sports +n09821831 someone who waits on or tends to or attends to the needs of another +n09822830 the chief law officer of a country or state +n09823153 a student who attends a course but does not take it for credit +n09823287 (ancient Rome) a religious official who interpreted omens to guide public policy +n09823502 the sister of your father or mother; the wife of your uncle +n09823832 a foreign girl serving as an au pair +n09824135 a person who behaves in a tyrannical manner +n09824609 (usually plural) persons who exercise (administrative) control over others +n09825096 an authority who authorizes (people or actions) +n09825750 someone whose occupation is repairing and maintaining automobiles +n09826204 someone who operates an aircraft +n09826605 a woman aviator +n09826821 (in India) a native nursemaid who looks after children +n09827246 used as a Hindi courtesy title; equivalent to English `Mr' +n09827363 (slang) sometimes used as a term of address for attractive young women +n09828216 an unborn child; a human fetus +n09828403 a member of the baby boom generation in the 1950s +n09828988 someone who runs an establishment that houses and cares for babies for a fee +n09830194 (football) a person who plays in the backfield +n09830400 a member of the House of Commons who is not a party leader +n09830629 a hiker who wears a backpack +n09830759 an expert adviser involved in making important decisions but usually lacking official status +n09830926 someone who is willing to trade favors or services for mutual advantage +n09831962 a person who does harm to others +n09832456 a worthless or immoral woman +n09832633 a homeless woman who carries all her possessions with her in shopping bags +n09832978 the agent to whom property involved in a bailment is delivered +n09833111 an officer of the court who is employed to execute writs and processes and make arrests etc. +n09833275 the person who delivers personal property (goods or money) in trust to the bailee in a bailment +n09833441 a child: son or daughter +n09833536 someone who bakes bread or cake +n09833751 an acrobat who balances himself in difficult positions +n09833997 a person who refuses to comply +n09834258 a demanding woman who destroys men's confidence +n09834378 (football) the player who is carrying (and trying to advance) the ball on an offensive play +n09834699 a trained dancer who is a member of a ballet company +n09834885 a man who directs and teaches and rehearses dancers for a ballet company +n09835017 a woman who directs and teaches and rehearses dancers for a ballet company +n09835153 a ballet enthusiast +n09835230 a team athlete who is skilled at stealing or catching the ball +n09835348 someone who flies a balloon +n09835506 an athlete who plays baseball +n09836160 someone who fights bulls +n09836343 the bullfighter who implants decorated darts (banderillas) into the neck or shoulders of the bull during a bull fight +n09836519 the principal bullfighter who is appointed to make the final passes and kill the bull +n09836786 the horseman who pricks the bull with a lance early in the bullfight to goad the bull and to make it keep its head low +n09837459 a player in a band (especially a military band) +n09837720 the person in charge of the bank in a gambling game +n09838295 a robber of banks +n09838370 someone who has insufficient assets to cover their debts +n09838621 weighs 115-126 pounds +n09839702 a female bartender +n09840217 a very wealthy or powerful businessman +n09840435 a British peer of the lowest rank +n09840520 a nobleman (in various countries) of varying rank +n09841188 an employee who mixes and serves alcoholic drinks at a bar +n09841515 a coach of baseball players +n09841696 a baseball player on the team at bat who is on base (or attempting to reach a base) +n09842047 an athlete who plays basketball +n09842288 someone skilled in weaving baskets +n09842395 early Amerindians related to the Pueblo; known for skill in making baskets +n09842528 an adult male singer with the lowest voice +n09842823 the illegitimate offspring of unmarried parents +n09843443 (baseball) a boy who takes care of bats and other baseball equipment +n09843602 a person who takes a bath +n09843716 an orderly assigned to serve a British military officer +n09843824 someone who twirls a baton +n09844457 a native or an inhabitant of Bavaria +n09844898 a person who is paid to pray for the soul of another +n09845401 a person who diverts suspicion from someone (especially a woman who accompanies a male homosexual in order to conceal his homosexuality) +n09845849 a member of the beat generation; a nonconformist in dress and behavior +n09846142 someone who gives you advice about your personal appearance +n09846469 a member of a nomadic tribe of Arabs +n09846586 someone suffering from enuresis; someone who urinates while asleep in bed +n09846755 a farmer who keeps bees for their honey +n09846894 someone whose favorite drink is beer or ale +n09847267 a man who is a beggar +n09847344 a woman who is a beggar +n09847543 a woman of advanced age +n09848110 one who believes in the existence of a god or gods +n09848489 a supporter who accepts something as true +n09849167 a person who casts metal bells +n09849990 a newly married man (especially one who has long been a bachelor) +n09850760 one of the ancient Norse warriors legendary for working themselves into a frenzy before a battle and fighting with reckless savagery and insane fury +n09850974 an enemy who lays siege to your position +n09851165 the person who is most outstanding or excellent; someone who tops all others +n09851575 the person to whom you are engaged +n09853541 an authoritarian leader and invader of privacy +n09853645 a prejudiced person who is intolerant of any opinions differing from his own +n09853881 an important influential person +n09854218 an older sister +n09854421 someone who plays billiards +n09854915 someone with special training in biochemistry +n09855433 someone who writes an account of a person's life +n09856401 a person with a strong interest in birds +n09856671 a baby born; an offspring +n09856827 a social reformer who advocates birth control and family planning +n09857007 a person who is sexually attracted to both sexes +n09858165 a person who attained the rank of expert in the martial arts (judo or karate) +n09858299 a criminal who extorts money from someone by threatening to expose embarrassing information about them +n09858733 an activist member of a largely American group of Blacks called the Nation of Islam +n09859152 a smith who forges and shapes iron with a hammer and anvil +n09859285 a dashing young man +n09859684 a worker who bleaches (cloth or flour etc.) +n09859975 a participant in a blind date (someone you meet for the first time when you have a date with them) +n09861287 a person dressed all in blue (as a soldier or sailor) +n09861599 a woman having literary or intellectual interests +n09861863 a person who builds boats +n09861946 someone who drives or rides in a boat +n09862183 a petty officer on a merchant ship who controls the work of other seamen +n09862621 an informal term for a British policeman +n09863031 someone who escorts and protects a prominent person +n09863339 (British slang) a scientist or technician engaged in military research +n09863749 emotionally charged terms used to refer to extreme radicals or revolutionaries +n09863936 a Russian member of the left-wing majority group that followed Lenin and eventually became the Russian communist party +n09864632 an entertainer who has a sensational effect +n09864968 a male bound to serve without wages +n09865068 a female slave +n09865162 a female bound to serve without wages +n09865398 someone bound to labor without wages +n09865672 a book salesman +n09865744 a worker whose trade is binding books +n09866115 someone who records the transactions of a business +n09866354 a maker of books; someone who edits or publishes or binds books +n09866559 someone who spends a great deal of time reading +n09866661 a thief who steals goods that are in a store +n09866817 a person who polishes shoes and boots +n09866922 someone who makes or sells illegal liquor +n09867069 a maker of boots +n09867154 an inhabitant of a border area (especially the border between Scotland and England) +n09867311 someone who patrols the borders of a country +n09868270 a biologist specializing in the study of plants +n09868782 an opportunist who profits from the misfortunes of others +n09868899 a visitor of a city boulevard (especially in Paris) +n09869317 a hunter who kills predatory wild animals in order to collect a bounty +n09869447 someone who pursues fugitives or criminals for whom a reward is offered +n09869578 a member of the European royal family that ruled France +n09870096 a cricketer who delivers the ball to the batsman in cricket +n09871095 a boxer noted for an ability to deliver hard punches +n09871229 a male child (a familiar term of address to a boy) +n09871681 a boy who is a member of the Boy Scouts +n09871867 a man who is considered naive +n09871952 an extremely talented young male person +n09872066 a very boastful and talkative person +n09872557 a member of the highest of the four Hindu varnas +n09873348 a fighter (especially one who participates in brawls) +n09873473 one whose earnings are the primary source of support for their dependents +n09873769 someone who swims the breaststroke +n09873899 a person who breeds animals +n09874428 a good fellow; helpful and trustworthy +n09874725 a woman participant in her own marriage ceremony +n09874862 an unmarried woman who attends the bride at a wedding +n09875025 an operative who acts as a courier or go-between from a case officer to a secret agent in a hostile area +n09875979 a journalist who broadcasts on radio or television +n09876701 (Roman Catholic Church) a title given to a monk and used as form of address +n09877288 a brother by marriage +n09877587 a viewer who looks around casually without seeking anything in particular +n09877750 a native or resident of Birmingham, England +n09877951 a close friend who accompanies his buddies in their activities +n09878921 an investor with an optimistic market outlook; an investor who expects prices to rise and so buys now for resale later +n09879552 a hired thug +n09880189 a young waitress in a nightclub whose costume includes the tail and ears of a rabbit +n09880741 a thief who enters a building with intent to steal +n09881265 the treasurer at a college or university +n09881358 a restaurant attendant who sets tables and assists waiters and clears away dirty dishes +n09881895 the newspaper editor responsible for business news +n09883047 a traveler whose expenses are paid by the business he works for +n09883452 a person (or thing) that breaks up or overpowers something +n09883807 a person who meddles in the affairs of others +n09885059 a meddler who tends to butt in +n09885866 a woodworker who specializes in making furniture +n09886403 an attendant who carries the golf clubs for a player +n09886540 a military trainee (as at a military academy) +n09888635 a person who announces the changes of steps during a dance +n09889065 a female prostitute who can be hired by telephone +n09889170 someone skilled in penmanship +n09889691 a politician who is running for public office +n09889941 someone living temporarily in a tent or lodge for recreation +n09890192 a follower who is not a member of an ingroup +n09890749 someone who is considered for something (for an office or prize or honor etc.) +n09891730 a specialist in canon law +n09892262 a conservative advocate of capitalism +n09892513 a dining-room attendant who is in charge of the waiters and the seating of customers +n09892693 the pilot in charge of an airship +n09893191 an officer holding a rank below a major but above a lieutenant +n09893344 the leader of a group of people +n09893502 an animal that is confined +n09893600 a person held in the grip of a strong emotion or passion +n09894143 (Roman Catholic Church) one of a group of more than 100 prominent bishops in the Sacred College who advise the Pope and elect new Popes +n09894445 a specialist in cardiology; a specialist in the structure and function and disorders of the heart +n09894654 someone who plays (or knows how to play) card games +n09894909 a professional card player who makes a living by cheating at card games +n09895222 a professional who is intent on furthering his or her career by any possible means and often at the expense of their own integrity +n09895480 a man who is a careerist +n09895561 a person who is responsible for attending to the needs of a child or dependent adult +n09895701 a custodian who is hired to take care of something (property or a person) +n09895902 an official who performs the duties of an office temporarily +n09896170 someone who parodies in an exaggerated manner +n09896311 a musician who plays a carillon +n09896401 a singer of carols +n09896685 a woodworker who makes or repairs wooden objects +n09896826 someone who constantly criticizes in a petty way +n09898020 a follower of Cartesian thought +n09899289 a person responsible for receiving payments for goods and services (as in a shop or restaurant) +n09899671 someone injured or killed in an accident +n09899782 someone injured or killed or captured or missing in a military engagement +n09899929 someone whose reasoning is subtle and often specious +n09901337 one who instructs catechumens in preparation for baptism (especially one using a catechism) +n09901502 a new convert being taught the principles of Christianity by a catechist +n09901642 someone who provides food and service (as for a party) +n09901786 the ecclesiastical title of the leaders of the Nestorian and Armenian churches +n09901921 a person who breeds and cares for cats +n09902128 a royalist supporter of Charles I during the English Civil War +n09902353 a soldier mounted on horseback +n09902731 someone who lives in a cave +n09902851 an officiating priest celebrating the Eucharist +n09902954 a person who is celebrating +n09903153 a widely known person +n09903501 someone who plays a violoncello +n09903639 a person who is authorized to read publications or correspondence or to watch theatrical performances and suppress in whole or in part anything considered obscene or politically unacceptable +n09903936 someone who censures or condemns +n09904208 someone who is at least 100 years old +n09904837 a person who takes a position in the political center +n09905050 (ancient Rome) the leader of 100 soldiers +n09905185 an accountant who has passed certain examinations and met all other statutory and licensing requirements of a United States state to be certified by that state +n09905530 (Yiddish) an attractive, unconventional woman +n09906293 a maid who is employed to clean and care for bedrooms (now primarily in hotels) +n09906449 a changeable or inconstant person +n09906704 someone who has won first place in a competition +n09907804 a retail dealer in provisions and supplies +n09908769 a chaplain in a prison +n09909660 a worker whose job is to make charcoal +n09909929 the official temporarily in charge of a diplomatic mission in the absence of the ambassador +n09910222 the driver of a chariot +n09910374 a person who charms others (usually by personal attractiveness) +n09910556 a British or Canadian accountant who is a member of a professional body that has a royal charter +n09910840 a stock market analyst who tries to predict market trends from graphs of recent prices of securities +n09911226 a human female employed to do housework +n09912431 a man with a chauvinistic belief in the inferiority of women +n09912681 a miserly person +n09912907 a native or inhabitant of Chechnya +n09912995 one who checks the correctness of something +n09913329 a spectator who shouts encouragement +n09913455 someone who leads the cheers by spectators at a sporting event +n09913593 an enthusiastic and vocal supporter +n09915434 Egyptian Pharaoh of the 27th century BC who commissioned the Great Pyramid at Giza +n09915651 a chess player of great skill +n09916348 the corporate executive responsible for the operations of the firm; reports to a board of directors; may appoint other managers (including a president) +n09917214 the senior officer of a service of the armed forces +n09917345 a person with the senior noncommissioned naval rank +n09917481 a member of the British Cabinet +n09917593 a young person of either sex +n09918248 a human offspring (son or daughter) of any age +n09918554 an immature childish person +n09918867 a prodigy whose talents are recognized at an early age +n09919061 someone who cleans soot from chimneys +n09919200 a therapist who practices chiropractic +n09919451 a dismissive term for a girl who is immature or who lacks respect +n09919899 an unfortunate person who is unable to perform effectively because of nervous tension or agitation +n09920106 (ancient Greece) leader of a group or festival; leader of a chorus +n09920283 someone who creates new dances +n09920901 a woman who dances in a chorus line +n09921034 one who is the object of choice; who is given preference +n09923003 a guide who conducts and informs sightseers +n09923186 a smoker of cigars +n09923418 a person of no influence +n09923561 an acrobat who performs acrobatic feats in a circus +n09923673 a native or naturalized member of a state or other political community +n09923996 the newspaper editor in charge of editing local news +n09924106 an important municipal official +n09924195 a financier who works in one of the banks in the City of London +n09924313 a city dweller with sophisticated manners and clothing +n09924437 a leader in municipal affairs +n09924996 a leader of the political movement dedicated to securing equal opportunity for members of minority groups +n09927089 someone whose occupation is cleaning +n09927451 a member of the clergy and a spiritual leader of the Christian Church +n09928136 a clergyman or other person in religious orders +n09928451 an employee who performs clerical work (e.g., keeps records or accounts) +n09928845 an intellectual who is ostentatiously and irritatingly knowledgeable +n09929202 someone who is expert in climatology +n09929298 someone who climbs as a sport; especially someone who climbs mountains +n09929577 a practitioner (of medicine or psychology) who does clinical work instead of laboratory experiments +n09930257 (baseball) a relief pitcher who can protect a lead in the last inning or two of the game +n09930628 a negative term for a homosexual man who chooses not to reveal his sexual orientation +n09930876 a person who amuses others by ridiculous behavior +n09931165 a rude or vulgar fool +n09931418 a person who gives private instruction (as in singing, acting, etc.) +n09931640 (sports) someone in charge of training an athlete or a team +n09932098 an assistant baseball coach in charge of pitchers +n09932336 a man who drives a coach (or carriage) +n09932508 someone who works in a coal mine +n09932788 a member of a coastguard +n09933020 Australian term for a pal +n09933098 a person who makes or repairs shoes +n09933842 used affectionately to refer to an eccentric but amusing old man +n09933972 one of two or more beneficiaries of the same benefit +n09934337 a subordinate who performs an important but routine function +n09934488 a cognitive scientist who studies the neurophysiological foundations of mental phenomena +n09934774 a man hairdresser +n09935107 someone who is a source of new words or new expressions +n09935434 an associate in an activity or endeavor or sphere of common interest +n09936825 an Irish girl +n09936892 a student enrolled in a college or university +n09937056 a student (or former student) at a college or university +n09937688 a resident of a colony +n09937802 a believer in colonialism +n09937903 someone who helps to found a colony +n09938080 a lyric soprano who specializes in coloratura vocal music +n09938449 a ceremonial escort for the (regimental) colors +n09938991 a person of exceptional importance and reputation +n09940725 an actor in a comedy +n09940818 a female comedian +n09941089 someone with a promising future +n09941571 a commissioned naval officer who ranks above a lieutenant commander and below a captain +n09941787 the officer who holds the supreme command +n09941964 an officer in command of a military unit +n09942697 an official of the Communist Party who was assigned to teach party principles to a military unit +n09942970 a military officer holding a commission +n09943239 a commissioned officer in the Army or Air Force or Marine Corps +n09943811 a government administrator +n09944022 a member of a commission +n09944160 a member of a committee +n09944430 a woman who is a member of a committee +n09945021 a commissioned naval officer who ranks above a captain and below a rear admiral; the lowest grade of admiral +n09945223 a person entitled to receive Communion +n09945319 a socialist who advocates communism +n09945603 a member of the communist party +n09945745 someone who travels regularly from home in a suburb to work in a city +n09946814 British term for someone who introduces television acts or cabarets etc +n09947127 someone makes things complex +n09950457 a person with a compulsive disposition; someone who feels compelled to do certain things +n09950728 someone trained in computer science and linguistics who uses computers for natural language processing +n09951070 a scientist who specializes in the theory of computation and the design of computers +n09951274 a person who uses computers for work or entertainment or communication or business +n09951524 a fellow member of the Communist Party +n09951616 someone who attends concerts +n09952163 someone who tries to bring peace +n09953052 the person who collects fares on a public conveyance +n09953350 someone who makes candies and other sweets +n09953615 a supporter of the Confederate States of America +n09954355 a priest who hears confession and gives absolution +n09954639 someone to whom private matters are confided +n09955406 a believer in the teachings of Confucius +n09955944 informal abbreviation of `representative' +n09956578 someone who is victorious by force of arms +n09957523 a member of a Conservative Party +n09958133 a Protestant in England who is not a member of the Church of England +n09958292 a Protestant who is a follower of Anglicanism +n09958447 the person to whom merchandise is delivered over +n09958569 the person who delivers over or commits merchandise +n09959142 a lawman with less authority and jurisdiction than a sheriff +n09959658 an artist of the school of constructivism +n09960688 someone (a person or firm) who contracts to build things +n09961198 a woman singer having a contralto voice +n09961331 a writer whose work is published in a newspaper or magazine or as part of a book +n09961469 someone with a compulsive desire to exert control over situations and people +n09961605 a person who is recovering from illness +n09961739 the member of a group whose duty it is to convene meetings +n09962966 a person serving a sentence in a jail or prison +n09964202 a relief pilot on an airplane +n09964411 someone who copies the words or behavior of another +n09965515 someone having the same religion as another person +n09965787 a defensive football player stationed outside the linebackers +n09966470 a supporter of corporatism +n09966554 someone who communicates by means of letters +n09967063 someone who sells or applies cosmetics +n09967406 a sophisticated person who has travelled in many countries +n09967555 a member of a Slavic people living in southern European Russia and Ukraine and adjacent parts of Asia and noted for their horsemanship and military skill; they formed an elite cavalry corps in czarist Russia +n09967816 a specialist in the systematic recording and analysis of the costs incident to production +n09967967 one of two actors who are given equal status as stars in a play or film +n09968259 someone who designs or supplies costumes (as for a play or masquerade) +n09968652 a medieval English villein +n09968741 a peasant farmer in the Scottish Highlands +n09968845 someone who gives advice about problems +n09970088 someone who attempts to prevent terrorism +n09970192 a spy who works against enemy espionage +n09970402 female equivalent of a count or earl +n09970822 a negotiator willing to compromise +n09971273 a woman who lives in the country and has country ways +n09971385 an advisor employed by the government to assist people in rural areas with methods of farming and home economics +n09971839 an attendant at the court of a sovereign +n09972010 the child of your aunt or uncle +n09972458 a very pretty girl who works as a photographer's model +n09972587 a large unpleasant woman +n09974648 a skilled worker who practices some trade or handicraft +n09975425 a creator of great skill in the manual arts +n09976024 a gambler who plays the game of craps +n09976283 someone deranged and possibly dangerous +n09976429 a human being; `wight' is an archaic term +n09976728 a person to whom money is owed by a debtor; someone to whom an obligation exists +n09976917 someone unpleasantly strange or eccentric +n09978442 a specialist in criminology +n09979321 anyone who expresses a reasoned judgment of something +n09979913 a very wealthy man +n09980458 someone who questions a witness carefully (especially about testimony given earlier) +n09980805 a voter who is registered as a member of one political party but who votes in the primary of another party +n09980985 someone who collects and pays bets at a gaming table +n09981092 a male heir apparent to a throne +n09981278 the wife of a crown prince +n09981540 decoder skilled in the analysis of codes and cryptograms +n09981939 a junior Boy Scout +n09982152 a man whose wife committed adultery +n09982525 a member of an unorthodox cult who generally lives outside of conventional society under the direction of a charismatic leader +n09983314 a Mexican woman who practices healing techniques inherited from the Mayans +n09983572 a person authorized to conduct religious worship +n09983889 the custodian of a collection (as a museum or library) +n09984960 a foreign purchaser who buys goods outright for resale +n09985470 someone who carves the meat +n09985809 a writer of science fiction set in a lawless subculture of an oppressive society dominated by computer technology +n09985978 a human being whose body has been taken over in whole or in part by electromechanical devices +n09986450 a performer on the cymbals +n09986700 a member of a group of ancient Greek philosophers who advocated the doctrine that virtue is the only good and that the essence of virtue is self-control +n09986904 a geneticist who specializes in the cellular components associated with heredity +n09987045 a biologist who studies the structure and function of cells +n09987161 a person having great power +n09987239 a male monarch or emperor (especially of Russia prior to 1917) +n09988063 an informal term for a father; probably derived from baby talk +n09988311 a man who works in a dairy +n09988493 chief lama and once ruler of Tibet +n09988703 someone who wastes time +n09989502 a performer who dances professionally +n09990415 a person who participates in a social gathering arranged for dancing (as a ball) +n09990690 someone who does clog dancing +n09990777 a professional teacher of dancing +n09991740 a political candidate who is not well known but could win unexpectedly +n09991867 a special loved one +n09992538 a participant in a date +n09992837 a female human offspring +n09993252 someone who takes more time than necessary; someone who lags behind +n09993651 a schoolchild at a boarding school who has meals at school but sleeps at home +n09994400 a laborer who works by the day; for daily wages +n09994673 a Protestant layman who assists the minister +n09994808 a woman deacon +n09994878 a dead shot +n09995829 someone skilled at informal chitchat +n09996039 someone who withdraws from a social group or environment +n09996304 a nonenterprising person who is not paying his way +n09996481 a person with a severe auditory impairment +n09997622 a person who owes a creditor; someone who has the obligation of paying a debt +n09998788 a member of a ship's crew who performs manual labor +n09999135 one who attacks the reputation of another by slander or libel +n10000294 a contractor concerned with the development and manufacture of systems of defense +n10000459 a person who believes that God created the universe and then abandoned it +n10000787 a person appointed or elected to represent others +n10001217 someone employed to make deliveries +n10001481 a political leader who seeks support by appealing to popular passions and prejudices +n10001764 a person with great powers and abilities +n10002257 a scientist who studies the growth and density of populations and their vital statistics +n10002760 someone who participates in a public display of group feeling +n10003476 a woman who supervises a den of Cub Scouts +n10004718 the head of a department +n10005006 a person who has deposited money in a bank or similar institution +n10005934 a member of the lower chamber of a legislative assembly (such as in France) +n10006177 a doctor who specializes in the physiology and pathology of the skin +n10006748 someone who descends +n10007684 a ballplayer who is designated to bat in place of the pitcher +n10007809 a person who devises plots or intrigues +n10007995 a hotel receptionist +n10008123 a military officer who is not assigned to active duty +n10008254 the police sergeant on duty in a police station +n10009162 some held in custody +n10009276 a police officer who investigates crimes +n10009484 an investigator engaged or employed in obtaining information not easily available to the public +n10009671 one who disparages or belittles the worth of something +n10010062 someone who develops real estate (especially someone who prepares a site for residential or commercial use) +n10010243 an ideological defector from the party line (especially from orthodox communism) +n10010632 someone to whom property (especially realty) is devised by will +n10010767 someone who devises real property in a will +n10010864 someone who eats greedily or voraciously +n10011360 a logician skilled in dialectic +n10011486 someone who keeps a diary or journal +n10012484 a specialist in the study of nutrition +n10013811 a bishop having jurisdiction over a diocese +n10015215 someone who supervises the actors and directs the action in the production of a show +n10015485 member of a board of directors +n10015792 a middle-aged man with lecherous inclinations +n10015897 someone who refuses to believe (as in a divinity) +n10017272 a person who announces and plays popular recorded music +n10017422 employee of a transportation company who controls the departures of vehicles according to weather conditions and in the interest of efficient service +n10018747 a painter who introduces distortions +n10018861 someone who markets merchandise +n10019072 an official prosecutor for a judicial district +n10019187 a manager who supervises the sales activity for a district +n10019406 someone who dives (into water) +n10020366 a divorced woman or a woman who is separated from her husband +n10020533 a woman who was formerly a particular man's wife +n10020670 a lawyer specializing in actions for divorce or annulment +n10020807 a teacher at some universities +n10020890 a licensed medical practitioner +n10022908 someone whose style is out of fashion +n10023264 formerly the chief magistrate in the republics of Venice and Genoa +n10023506 someone who prevents you from enjoying something that they themselves have no need for +n10023656 a stubborn person of arbitrary or arrogant opinions +n10024025 an adult with a long narrow head +n10024362 a person (not necessarily a spouse) with whom you cohabit and share a long-term sexual relationship +n10024937 a native or inhabitant of the Dominican Republic +n10025060 a clergyman; especially a settled minister or parson +n10025295 the head of an organized crime family +n10025391 an adherent of Donatism +n10025635 an Italian woman of rank +n10026976 someone who sleeps in any convenient place +n10027246 someone who closely resembles a famous person (especially an actor) +n10027590 a person who says one thing and does another +n10028402 a person who is destitute +n10028541 a woman who is the senior member of a group +n10029068 an artist skilled at drawing +n10030277 someone who writes plays +n10032987 someone who is dreaming +n10033412 someone who makes or mends dresses +n10033572 someone who models dresses +n10033663 a person who dribbles +n10033888 a basketball player who is dribbling the ball to advance it +n10034201 a person who drinks alcoholic beverages (especially to excess) +n10034614 a person who drinks liquids +n10035952 a narcotics addict +n10036266 a person who takes drugs +n10036444 a pre-Christian priest among the Celts of ancient Gaul and Britain and Ireland +n10036692 a female drum major +n10036929 someone who plays a drum +n10037080 someone who is intoxicated +n10037385 a chronic drinker +n10037588 an adherent of an esoteric monotheistic religious sect living in the relative security of the mountains of Syria and Lebanon who believes that Al-hakim was an incarnation of God +n10037922 a reformer who opposes the use of intoxicating beverages +n10038119 a nurse who cares for but does not suckle an infant +n10038409 the wife of a duke or a woman holding ducal title in her own right +n10038620 a British peer of the highest rank +n10039271 an incompetent or clumsy person +n10039946 a basketball player who is able to make dunk shots +n10040240 a counselor who admonishes frankly and sternly +n10040698 a person suffering from indigestion +n10040945 an alert and energetic person +n10041373 a British peer ranking below a marquess and above a viscount +n10041887 someone who earn wages in return for their labor +n10042690 a secret listener to private conversations +n10042845 a person with an unusual or odd personality +n10043024 someone who selects according to the eclectic method +n10043491 an economist who uses statistical and mathematical methods +n10043643 an expert in the science of economics +n10044682 a person with a thin body +n10044879 a person responsible for the editorial aspects of publication; the person who determines the final content of a text (especially of a newspaper or magazine) +n10047199 a self-centered person with little regard for others +n10047459 a conceited and self-centered person +n10048117 a man who ejaculates semen +n10048367 any of various church officers +n10048612 any influential person whose advice is highly respected +n10048836 official who won the office in a free election +n10049363 a person who installs or repairs electrical or telephone lines +n10050043 the author of a mournful poem lamenting the dead +n10050880 a public speaker trained in voice production and gesture and delivery +n10051026 someone who frees others from bondage +n10051761 a physician who specializes in embryology +n10051861 a professor or minister who is retired from assigned duties +n10051975 someone who leaves one country to settle in another +n10052694 someone sent on a mission to represent the interests of someone else +n10053439 a woman emperor or the wife of an emperor +n10053808 a worker who is hired to perform a job +n10054657 a person or firm that employs workers +n10055297 a female sorcerer or magician +n10055410 a woman who is considered to be dangerously seductive +n10055566 a person who compiles information for encyclopedias +n10055730 a heavy person with a soft and rounded body +n10055847 an armed adversary (especially a member of an opposing military force) +n10056103 someone who imparts energy and vitality and spirit to other people +n10056611 a man at one end of a row of people +n10056719 a man at one end of line of performers in a minstrel show; carries on humorous dialogue with the interlocutor +n10057271 a person who transfers his ownership interest in something by signing a check or negotiable security +n10058411 a person who delights in having or using or experiencing something +n10058962 a female enlisted person in the armed forces +n10059067 someone who appreciates wine +n10060075 one who enters a competition +n10060175 someone who enters +n10060352 someone who organizes a business venture and assumes the risk for it +n10061043 a diplomat having less authority than an ambassador +n10061195 a person who is trained in or engaged in enzymology +n10061431 a bishop or metropolitan in charge of an eparchy in the Eastern Church +n10061882 a medical scientist who studies the transmission and control of epidemic diseases +n10062042 an inferior imitator of some distinguished writer or artist of musician +n10062176 a person who has epilepsy +n10062275 a member of the Episcopal church +n10062492 a personal attendant of the British royal family +n10062594 an official charged with the care of the horses of princes or nobles +n10062716 an erotic person +n10062905 someone who escapes +n10062996 a person who escapes into a world of fantasy +n10063635 a member of a people inhabiting the Arctic (northern Canada or Greenland or Alaska or eastern Siberia); the Algonquians called them Eskimo (`eaters of raw flesh') but they call themselves the Inuit (`the people') +n10063919 someone employed to spy on another country or business competitor +n10064831 a worker skilled in giving beauty treatments (manicures and facials etc.) +n10064977 someone who etches +n10065758 an anthropologist who studies ethnology +n10066206 a student enrolled in (or graduated from) Eton College +n10066314 a lexicographer who specializes in etymology +n10067011 a preacher of the Christian gospel +n10067305 (when capitalized) any of the spiritual leaders who are assumed to be authors of the Gospels in the New Testament: Matthew, Mark, Luke, and John +n10067600 someone who plans social events as a profession (usually for government or corporate officials) +n10067968 an investigator who observes carefully +n10068234 someone who administers a test to determine your qualifications +n10068425 a viceroy who governed a large province in the Roman Empire +n10069296 a performer (usually of musical works) +n10069981 a secretary having administrative duties and responsibilities +n10070108 a vice president holding executive power +n10070377 a woman executor +n10070449 a person skilled in exegesis (especially of religious texts) +n10070563 someone who organizes an exhibit for others to see +n10070711 someone who deliberately behaves in such a way as to attract attention +n10071332 a person who is voluntarily absent from home or country +n10071557 a philosopher who emphasizes freedom of choice and personal responsibility but who regards human existence in a hostile universe as unexplainable +n10072054 someone who practices exorcism +n10074249 a person who was formerly a spouse +n10074578 a nonresident doctor or medical student; connected with a hospital but not living there +n10074735 a person who holds extreme views +n10074841 (psychology) a person concerned more with practical realities than with inner thoughts and feelings +n10075299 a spectator who can describe what happened +n10075693 someone who makes progress easier +n10076224 a generous benefactor +n10076483 a Spanish member of General Franco's political party +n10076604 a person who breeds and trains hawks and who follows the sport of falconry +n10076957 someone who falsifies +n10077106 a person attached to the household of a high official (as a pope or bishop) who renders service in return for support +n10077593 an ardent follower and admirer +n10077879 a person motivated by irrational enthusiasm (as for a cause) +n10078131 a person having a strong liking for something +n10078719 a boy who has grown up on a farm +n10078806 a person who operates a farm +n10079399 a hired hand on a farm +n10079893 an adherent of fascism or other right-wing authoritarian views +n10080117 an Italian fascist under Mussolini +n10080508 anyone who submits to the belief that they are powerless to change their destiny +n10080869 a male parent (also used as a term of address to your father) +n10081204 `Father' is a term of address for priests in some churches (especially the Roman Catholic Church or the Orthodox Catholic Church); `Padre' is frequently used in the military +n10081842 a man (often a powerful or influential man) who arouses emotions usually felt for your real father and with whom you identify psychologically +n10082043 the father of your spouse +n10082299 an excessively polite and well-dressed boy +n10082423 a member of a group of French painters who followed fauvism +n10082562 a United States politician favored mainly in his or her home state +n10082687 a professional boxer who weighs between 123 and 126 pounds +n10082997 an advocate of federalism +n10083677 a communist sympathizer (but not a member of the Communist Party) +n10083823 a woman who is an aristocrat +n10084043 a child who is female +n10084295 a youthful female person +n10085101 a dealer in stolen property +n10085869 a man who is engaged to be married +n10086383 a member of the cricket team that is fielding rather than batting +n10086744 a football official +n10087434 a military or naval pilot of fighter planes +n10087736 a party who files a notice with a law court +n10088200 the person who directs the making of a film +n10090745 someone who comes upon something after searching +n10091349 the head of a fire department +n10091450 a performer who pretends to swallow fire +n10091564 a belligerent grouch +n10091651 a member of a fire department who tries to extinguish fires +n10091861 an official who is responsible for the prevention and investigation of fires +n10091997 someone who walks barefoot on burning coals +n10092488 (baseball) the person who plays first base +n10092643 the offspring who came first in the order of birth +n10092794 the wife of a chief executive +n10092978 a commissioned officer in the Army or Air Force or Marines ranking above a 2nd lieutenant and below a captain +n10093167 someone convicted for the first time +n10093475 a sergeant in the Army above the rank of staff sergeant and below master sergeant +n10093818 someone who sells fish +n10094320 a person who whips himself as a religious penance +n10094584 a senior naval officer above the rank of captain +n10094782 a slick spokesperson who can turn any criticism to the advantage of their employer +n10095265 a back stationed wide of the scrimmage line; used as a pass receiver +n10095420 a young woman in the 1920s who flaunted her unconventional conduct and dress +n10095769 an associate who shares an apartment with you +n10095869 a person who uses flattery +n10096126 a female fool +n10096508 a medical officer specializing in aviation medicine +n10097262 an employee of a retail store who supervises sales personnel and helps with customer problems +n10097477 someone who is unsuccessful +n10097590 a native or resident of Florence, Italy +n10097842 a young girl who carries flowers in a (wedding) procession +n10097995 a woman who sells flowers in the street +n10098245 someone who plays the flute +n10098388 a debtor who flees to avoid paying +n10098517 an amateur boxer who weighs no more than 112 pounds +n10098624 weighs no more than 115 pounds +n10098710 a personal enemy +n10098862 someone who does folk dances +n10099002 a folk writer who composes in verse +n10099375 a person who accepts the leadership of another +n10101308 a football player who has achieved a reputation for success +n10101634 an athlete who plays American football +n10101981 a man employed as a servant in a large establishment (as a palace) to run errands and do chores +n10102800 the founder of a family +n10103155 a woman ancestor +n10103228 a spy for a foreign country +n10103921 someone who is excluded from or is not a member of a group +n10104064 a person who exercises control and makes decisions +n10104487 a man who is foreperson of a jury +n10104756 someone trained in forestry +n10104888 a woman in charge of a group of workers +n10105085 someone who makes copies illegally +n10105733 the person who plays the position of forward in certain games, such as basketball, soccer, or hockey +n10105906 your foster brother is a male who is not a son of your parents but who is raised by your parents +n10106387 a man who is a foster parent +n10106509 a woman who is a foster parent and raises another's child +n10106995 your foster sister is a female who is not a daughter of your parents but who is raised by your parents +n10107173 someone who is raised as a son although not related by birth +n10107303 a person who founds or establishes some institution +n10108018 a woman founder +n10108089 someone who has run the mile in less that 4 minutes +n10108464 someone who writes a new law or plan +n10108832 a person who hates France and everything French +n10109443 a person or animal that is markedly unusual or deformed +n10109662 someone acting freely or even irresponsibly +n10109826 (sports) a professional athlete who is free to sign a contract to play for any team +n10110093 one of an interracial group of civil rights activists who rode buses through parts of the South in order to protest racial segregation +n10110731 someone who gratifies physical appetites (especially for food and drink) with more than the usual freedom +n10110893 someone who takes advantage of the generosity of others +n10111358 an advocate of unrestricted international trade +n10111779 a person who follows the basic theories or practices of Sigmund Freud +n10111903 a male member of a religious order that originally relied solely on alms +n10112129 a male religious living in a cloister and devoting himself to contemplation and prayer and work +n10113249 a woman who lives on the frontier +n10113583 a person used as a cover for some questionable activity +n10113869 someone who masturbates by rubbing against another person (as in a crowd) +n10114476 a stupid despised man +n10114550 someone who engages in sexual intercourse +n10114662 a conservative who is old-fashioned or dull in attitude or appearance +n10115430 (football) the running back who plays the fullback position on the offensive team +n10115946 an acrobat who performs on a tightrope or slack rope +n10116370 a supporter of fundamentalism +n10116478 someone who solicits financial contributions +n10116702 a theologian who believes that the Scripture prophecies of the Apocalypse (the Book of Revelation) will be fulfilled in the future +n10117017 a person who delights in designing or building or using gadgets +n10117267 someone who writes comic material for public performers +n10117415 a comedian who uses gags +n10117739 a person who gains weight +n10117851 alliterative term for girl (or woman) +n10118301 a disreputable or clumsy man +n10118743 a musician who performs upon the viola da gamba +n10118844 a person who wagers money on the outcome of games or sporting events +n10119609 a girl of impish appeal +n10120330 someone employed to collect and dispose of refuse +n10120671 someone employed to work in a garden +n10121026 someone who cuts cloth etc. to measure in making garments +n10121246 someone who kills by strangling +n10121714 someone employed by a gas company +n10121800 a physician who specializes in diseases of the gastrointestinal tract +n10122300 a person who gathers +n10122531 a spectator who stares stupidly without intelligent awareness +n10123122 a French policeman +n10123844 a general officer of the highest rank +n10126177 someone who originates or causes or initiates something +n10126424 a biologist who specializes in genetics +n10126708 a natural father or mother +n10127186 informal abbreviation of `gentleman' +n10127689 a specialist in geology +n10128519 a geologist who uses physical principles to study the properties of the earth +n10128748 a writer who gives the credit of authorship to someone else +n10129338 the idealized American girl of the 1890s as pictured by C. D. Gibson +n10129825 a young woman +n10130686 a girl or young woman with whom a man is romantically involved +n10130877 any female friend +n10131151 an extremely talented young female person +n10131268 a member of the moderate republican party that was in power during the French Revolution; the Girondists were overthrown by their more radical rivals the Jacobins +n10131590 a Spanish male Gypsy +n10131815 (ancient Rome) a professional combatant or a captive who entertained the public by engaging in mortal combat +n10132035 someone skilled in blowing bottles from molten glass +n10132502 someone who gathers something in small pieces (e.g. information) slowly and carefully +n10134178 a person who tends a flock of goats +n10134396 an infant who is sponsored by an adult (the godparent) at baptism +n10134760 any man who serves as a sponsor for a child at baptism +n10134982 a person who sponsors someone (the godchild) at baptism +n10135129 a male godchild +n10135197 an employee whose duties include running errands +n10135297 a zealously energetic person (especially a salesman) +n10136615 an artisan who makes jewelry and other objects out of gold +n10136959 someone who plays the game of golf +n10137825 a (Venetian) boatman who propels a gondola +n10138369 any person who is on your side +n10138472 a white male Southerner with an unpretentious convivial manner and conservative or intolerant attitudes and a strong sense of fellowship with and loyalty to other members of his peer group +n10139077 a person who voluntarily offers help or sympathy in times of trouble +n10139651 a journalist who writes a column of gossip about celebrities +n10140051 an attacker who gouges out the antagonist's eye +n10140597 a governor of high rank +n10140683 an unpleasant person who grabs inconsiderately +n10140783 a judge who assigns grades to something +n10140929 someone who has completed the course of study (including hospital practice) at a nurses training school +n10141364 a linguist who specializes in the study of grammar and syntax +n10141732 a female grandchild +n10142166 a middle-aged or elderly woman who is stylish and highly respected +n10142391 the father of your father or mother +n10142537 director of the court of Inquisition (especially in Spain and Portugal) +n10142747 the mother of your father or mother +n10142946 a player of exceptional or world class skill in chess or bridge +n10143172 a parent of your father or mother +n10143595 a recipient of a grant +n10143725 a person who grants or gives something +n10144338 a man who is divorced from (or separated from) his wife +n10145239 an aunt of your father or mother +n10145340 a child of your grandson or granddaughter +n10145480 a daughter of your grandson or granddaughter +n10145590 a mother of your grandparent +n10145774 a parent of your grandparent +n10145902 a son of your grandson or granddaughter +n10146002 a son of your niece or nephew +n10146104 a daughter of your niece or nephew +n10146416 a soldier who is a member of the United States Army Special Forces +n10146816 an infantryman equipped with grenades +n10146927 a person who greets +n10147121 a Latin American (disparaging) term for foreigners (especially Americans and Englishmen) +n10147262 a person who grins +n10147710 a retail merchant who sells foodstuffs (and some household supplies) +n10147935 a man who has recently been married +n10148035 a man participant in his own marriage ceremony +n10148305 a bad-tempered person +n10148825 a commissioned officer (especially one in the Royal Air Force) equivalent in rank to a colonel in the army +n10149436 a person who grunts +n10149867 someone who guards prisoners +n10150071 a person who keeps watch over something or someone +n10150794 a person who guesses +n10150940 a visitor to whom hospitality is extended +n10151133 a customer of a hotel or restaurant etc. +n10151261 the person in whose honor a gathering is held +n10151367 a person with temporary permission to work in another country +n10151570 someone who shows the way by leading or advising +n10151760 a musician who plays the guitar +n10152306 a noncommissioned officer ranking above a staff sergeant in the marines +n10152616 a Hindu or Buddhist religious leader and spiritual teacher +n10152763 a recognized leader in some field or of some movement +n10153155 (British slang) boss +n10153414 an informal term for a youth or man +n10153594 an athlete who is skilled in gymnastics +n10153865 someone who spends all leisure time playing sports or working out in a gymnasium or health spa +n10154013 a specialist in gynecology +n10154186 a member of a people with dark skin and hair who speak Romany and who traditionally live by seasonal work and fortunetelling; they are believed to have originated in northern India but now are living on all continents (but mostly in Europe, North Africa, and North America) +n10154601 one who works hard at boring tasks +n10155222 a programmer who breaks into computer systems in order to steal or change or destroy information as a form of cyber-terrorism +n10155600 an intense bargainer +n10155849 someone who cuts or beautifies hair +n10156629 a Muslim physician +n10156831 a member of a people of southeastern China (especially Hong Kong, Canton, and Taiwan) who migrated from the north in the 12th century +n10157016 a guard who carries a halberd (as a symbol of his duty) +n10157128 (football) the running back who plays the offensive halfback position +n10157271 one of siblings who have only one parent in common +n10158506 a member of the crew of a ship +n10159045 one who trains or exhibits animals +n10159289 a man skilled in various odd jobs and other small tasks +n10159533 a rider of a hang glider +n10160188 a conservative who is uncompromising +n10160280 a clown or buffoon (after the Harlequin character in the commedia dell'arte) +n10160412 a mediator who brings one thing into harmonious agreement with another +n10161622 a user of hashish +n10162016 a professional killer +n10162194 a person who hates +n10162354 someone who makes and sells hats +n10164025 the head of a tribe or clan +n10164233 presiding officer of a school +n10164492 the person in charge of nursing in a medical institution +n10165448 someone who listens attentively +n10166189 a charming person who is irresponsible in emotional relationships +n10166394 a person who does not acknowledge your god +n10167152 a wrestler who weighs more than 214 pounds +n10167361 an actor who plays villainous roles +n10167565 someone who tries to embarrass you with gibes and questions and objections +n10167838 someone who counterbalances one transaction (as a bet) against another in order to protect against loss +n10168012 a respondent who avoids giving a clear direct answer +n10168183 someone motivated by desires for sensual pleasures +n10168584 a person who is entitled by law or by the terms of a will to inherit the estate of another +n10168837 an heir whose right to an inheritance cannot be defeated if that person outlives the ancestor +n10169147 a female heir +n10169241 a person who expects to inherit but whose right can be defeated by the birth of a nearer relative +n10169419 a rowdy or mischievous person (usually a young man) +n10169796 the person who steers a ship +n10170060 a newly hired employee +n10170681 a doctor who specializes in diseases of the blood and blood-forming organs +n10170866 a person who has hemiplegia (is paralyzed on one side of the body) +n10171219 (formal) a person who announces important news +n10171456 a therapist who heals by the use of herbs +n10171567 someone who drives a herd +n10172080 one having both male and female sexual characteristics and organs; at birth an unambiguous assignment of male or female cannot be made +n10173410 a woman possessing heroic qualities or a woman who has performed heroic deeds +n10173579 someone addicted to heroin +n10173665 someone who worships heroes +n10173771 a German man; used before the name as a title equivalent to Mr in English +n10174253 a corrupt politician +n10174330 a person of intellectual or erudite tastes +n10174445 a senior diplomat from one country to another who is assigned ambassadorial rank +n10174589 a person of great ability and ambition +n10174695 a native of the Highlands of Scotland +n10174971 an arrogant or conceited person of importance +n10175248 a preeminent authority or major proponent of a movement or doctrine +n10175725 someone who uses force to take over a vehicle (especially an airplane) in order to reach an alternative destination +n10176913 a person who works only for money +n10177150 a person who is an authority on history and who studies it and writes about it +n10178077 a person who travels by getting free rides from passing vehicles +n10178216 someone who hits +n10179069 a person who pursues an activity in their spare time for pleasure +n10180580 a negotiator who hopes to gain concessions by refusing to come to terms +n10180791 an official who remains in office after his term +n10180923 an armed thief +n10181445 a male friend from your neighborhood or hometown +n10181547 a fellow male member of a youth gang +n10181799 someone buying a house +n10181878 a fellow female member of a youth gang +n10182190 someone unfortunate without housing +n10182402 a practitioner of homeopathy +n10183347 a wife who has married a man with whom she has been living for some time (especially if she is pregnant at the time) +n10183931 an escort for a distinguished guest or for the casket at a military funeral +n10184505 (rugby) the player in the middle of the front row of the scrum who tries to capture the ball with the foot +n10185148 a person who hopes +n10185483 a musician who plays a horn (especially a French horn) +n10185793 a man skilled in equitation +n10186068 a hard bargainer +n10186143 a woman horseman +n10186216 a cowboy who takes care of the saddle horses +n10186350 an expert in the science of cultivating plants (fruit or flowers or vegetables or ornamental plants) +n10186686 a chaplain in a hospital +n10186774 the owner or manager of an inn +n10187130 a person who invites guests to a social event (such as a party in his or her own home) and who is responsible for them while they are there +n10187491 a woman host +n10187990 an owner or manager of hotels +n10188715 a servant who is employed to perform domestic task in a household +n10188856 teacher in charge of a school boardinghouse +n10188957 someone who resides in the same house with you +n10189278 a physician (especially an intern) who lives in a hospital and cares for hospitalized patients under the supervision of the medical staff of the hospital +n10189597 a custodian who lives in and cares for a house while the regular occupant is away (usually without an exchange of money) +n10190122 a commissioner in charge of public housing +n10190516 a seller of shoddy goods +n10191001 a person who hugs +n10191388 an advocate of the principles of humanism; someone concerned with the interests and welfare of humans +n10191613 someone devoted to the promotion of human welfare and to social reforms +n10192839 a well-built sexually attractive man +n10193650 a woman hunter +n10194231 a man who was formerly a certain woman's husband +n10194775 a geologist skilled in hydrology +n10195056 a person with hyperopia; a farsighted person +n10195155 a person who has abnormally high blood pressure +n10195261 a person who induces hypnosis +n10195593 a person who professes beliefs and opinions that he or she does not hold in order to conceal his or her real feelings or motives +n10196404 someone who cuts and delivers ice +n10196725 someone who attacks cherished ideas or traditional institutions +n10197392 an advocate of some ideology +n10198437 someone who is adored blindly and excessively +n10198832 a lover blind with admiration and devotion +n10199251 (Islam) the man who leads prayers in a mosque; for Shiites an imam is a recognized authority on Islamic theology and law and a spiritual guide +n10200246 a believer in imperialism +n10200781 a person whose actions and opinions strongly influence the course of events +n10202225 a man with whom you are in love or have an intimate relationship +n10202624 the official who holds an office +n10202763 a person whose disease is incurable +n10203949 a person inducted into an organization or social group +n10204177 someone who manages or has significant financial interest in an industrial enterprise +n10204833 a person who murders an infant +n10205231 one of lesser rank or station or quality +n10205344 an inhabitant of Hell +n10205457 (baseball) a person who plays a position in the infield +n10205714 an intruder (as troops) with hostile intent +n10206173 one who reveals confidential information in return for money +n10206506 an artless innocent young girl (especially as portrayed on the stage) +n10206629 an actress who specializes in playing the role of an artless innocent young girl +n10207077 a person of great and varied learning +n10207169 a relative by marriage +n10208189 a private detective +n10208847 a high ranking police officer +n10208950 a military officer responsible for investigations +n10209082 a person who initiates a course of action +n10209731 an agent who sells insurance +n10210137 a person who takes part in an armed rebellion against the constituted authority (especially in the hope of improving conditions) +n10210512 a government analyst of information about an enemy or potential enemy +n10210648 a person who specializes in designing architectural interiors and their furnishings +n10210911 a person who takes part in a conversation +n10211036 the performer in the middle of a minstrel line who engages the others in talk +n10211666 a chess player who has been awarded the highest title by an international chess organization +n10211830 a member of a socialist or communist international +n10212231 a specialist in internal medicine +n10212501 someone who mediates between speakers of different languages +n10212780 someone who uses art to represent something +n10213034 (law) a party who interposes in a pending proceeding +n10213429 (psychology) a person who tends to shrink from social contacts and to become preoccupied with their own thoughts +n10214062 someone who enters by force in order to conquer +n10214390 an official who can invalidate or nullify +n10215623 someone who investigates +n10216106 someone who commits capital in order to gain financial returns +n10216403 someone who watches examination candidates to prevent cheating +n10217208 someone who is indifferent or hostile to religion +n10218043 a student or graduate at an Ivy League school +n10218164 a person able to do a variety of different jobs acceptably well +n10218292 a follower of Andrew Jackson or his ideas +n10219240 an unknown or fictitious woman who is a party to legal proceedings +n10219453 a loyal supporter +n10219879 a member of an Indo-European people widely scattered throughout the northwest of the Indian subcontinent and consisting of Muslims and Hindus and Sikhs +n10220080 a native or inhabitant of Java +n10220924 someone with two personalities - one good and one evil +n10221312 a professional clown employed to entertain a king or nobleman in the Middle Ages +n10221520 a member of the Jesuit order +n10222170 a shameless impudent scheming woman +n10222259 a woman who jilts a lover +n10222497 someone who buys large quantities of goods and resells to merchants rather than to the ultimate customers +n10222716 an applicant who is being considered for a job +n10223069 someone whose comfort is actually discouraging +n10223177 someone employed to ride horses in horse races +n10223606 an unknown or fictitious man who is a party to legal proceedings +n10224578 a writer for newspapers and magazines +n10225219 a public official authorized to decide questions brought before a court of justice +n10225931 an officer assigned to the judge advocate general +n10226413 a performer who juggles objects and performs tricks of manual dexterity +n10227166 a follower or advocate of Carl Jung's theories +n10227266 the younger of two persons +n10227393 a third-year undergraduate +n10227490 a son who has the same first name as his father +n10227698 weighs no more than 130 pounds +n10227793 weighs no more than 154 pounds +n10227985 a legal scholar versed in civil law or the law of nations +n10228278 someone who serves (or waits to be called to serve) on a jury +n10228468 a local magistrate with limited powers +n10228592 formerly a high judicial officer +n10228712 a masked dancer during a Pueblo religious ceremony who is thought to embody some particular spirit +n10229883 a musician who plays a keyboard instrument +n10230216 one of the Turkish viceroys who ruled Egypt between 1867 and 1914 +n10233248 an important person who can bring leaders to power through the exercise of political influence +n10235024 a competitor who holds a preeminent position +n10235269 Counsel to the Crown when the British monarch is a king +n10235385 a barrister selected to serve as counsel to the British ruler +n10236304 a person having kinship with another or others +n10236521 one related on the mother's side +n10236842 a person with unusual sexual tastes +n10237069 a female relative +n10237196 someone who kisses +n10237464 help hired to work in the kitchen +n10237556 an enlisted person who is assigned to assist the cooks +n10237676 a member of the Ku Klux Klan +n10237799 someone with an irrational urge to steal in the absence of an economic motive +n10238272 a person in a kneeling position +n10238375 originally a person of noble birth trained to arms and chivalry; today in Great Britain a person honored by the sovereign for personal merit +n10239928 (Yiddish) a big shot who knows it and acts that way; a boastful immoderate person +n10240082 a person who knows or apprehends +n10240235 someone who thinks he knows everything and refuses to accept advice or information from others +n10240417 a member of a kolkhoz +n10240821 a member of the royal or warrior Hindu caste +n10241024 an assistant (often the father of the soon-to-be-born child) who provides support for a woman in labor by encouraging her to use techniques learned in childbirth-preparation classes +n10241300 someone who works with their hands; someone engaged in manual labor +n10242328 a member of the British Labour Party +n10243137 a polite name for any woman +n10243273 a lady appointed to attend to a queen or princess +n10243483 a maid who is a lady's personal attendant +n10243664 a Tibetan or Mongolian priest of Lamaism +n10243872 a sweet innocent mild-mannered person (especially a child) +n10244108 an elected official still in office but not slated to continue +n10244359 (when gas was used for streetlights) a person who lights and extinguishes streetlights +n10244913 a person who administers a landed estate +n10245029 a count who had jurisdiction over a large territory in medieval Germany +n10245341 an inexperienced sailor; a sailor on the first voyage +n10245507 a person who lives and works on land +n10245639 a holder or proprietor of land +n10245863 someone who arranges features of the landscape or garden attractively +n10246317 a cross-country skier +n10246395 a person who languishes +n10246703 an expert on precious stones and the art of cutting and engraving them +n10247358 a girl or young woman who is unmarried +n10247880 a person who is a member of those peoples whose languages derived from Latin +n10248008 an inhabitant of ancient Latium +n10248198 a person who is broad-minded and tolerant (especially in standards of religious belief and conduct) +n10248377 believer in imminent approach of the millennium; practitioner of active evangelism +n10249191 a solicitor in Scotland +n10249270 a maker of laws; someone who gives a code of laws +n10249459 an officer of the law +n10249869 a student in law school +n10249950 a professional person authorized to practice law; conducts lawsuits or gives legal advice +n10250712 a layman who is authorized by the bishop to read parts of the service in an Anglican or Episcopal church +n10251329 a lazy person +n10251612 a surreptitious informant +n10252075 a tenant who holds a lease +n10252222 a public lecturer at certain universities +n10252354 someone who reads the lessons in a church service; someone ordained in a minor order of the Roman Catholic Church +n10252547 someone who lectures professionally +n10253122 a person who uses the left hand with greater skill than the right +n10253296 a personal representative with legal standing (as by power of attorney or the executor of a will) +n10253479 a member of a legation +n10253611 someone to whom a legacy is bequeathed +n10253703 a soldier who is a member of a legion (especially the French Foreign Legion) +n10255459 an athlete who has earned a letter in a school sport +n10257221 someone who releases people from captivity or bondage +n10258602 an official who can issue a license or give authoritative permission (especially one who licenses publications) +n10258786 holds a license (degree) from a (European) university +n10259348 a commissioned military officer +n10259780 a commissioned officer in the United States Army or Air Force or Marines holding a rank above major and below colonel +n10259997 a commissioned officer in the Navy ranking above a lieutenant and below a commander +n10260473 an officer holding a commissioned rank in the United States Navy or United States Coast Guard; below lieutenant and above ensign +n10260706 a living person +n10260800 an attendant employed at a beach or pool to protect swimmers from accidents +n10261211 a tenant whose legal right to retain possession of buildings or lands lasts as long as they (or some other person) live +n10261511 an amateur boxer who weighs no more than 106 pounds +n10261624 a professional boxer who weighs between 169 and 175 pounds +n10261862 an amateur boxer who weighs no more than 179 pounds +n10262343 a woman inconstant in love +n10262445 a professional boxer who weighs between 131 and 135 pounds +n10262561 a wrestler who weighs 139-154 pounds +n10262655 an amateur boxer who weighs no more than 132 pounds +n10262880 a very small person (resembling a Lilliputian) +n10263146 a specialist in the study of freshwater ponds and lakes +n10263411 one of the players on the line of scrimmage +n10263790 a commissioned officer with combat units (not a staff officer or a supply officer) +n10265281 someone who tries to attract social lions as guests +n10265801 a speaker who lisps +n10265891 assessor who makes out the tax lists +n10266016 a critic of literature +n10266328 a person who can read and write +n10266848 (law) a party to a lawsuit; someone involved in litigation +n10267166 a person who litters public places with refuse +n10267311 a younger brother +n10267865 a younger sister +n10268629 someone who is employed to persuade legislators to vote for legislation that favors the lobbyist's employer +n10269199 someone who makes or repairs locks +n10269289 someone (physician or clergyman) who substitutes temporarily for another member of the same profession +n10271677 a titled peer of the realm +n10272782 a gambler who loses a bet +n10272913 a contestant who loses the contest +n10273064 a person with a record of failing; someone who loses consistently +n10274173 a successful womanizer; a man who behaves selfishly in his sexual relationships with women +n10274318 a person who causes trouble by speaking indiscreetly +n10274815 an undergraduate who is not yet a senior +n10275249 a native of the Lowlands of Scotland +n10275395 a person who is loyal to their allegiance (especially in times of revolt) +n10275848 any opponent of technological progress +n10276045 a person who fells trees +n10276477 a taxonomist who classifies organisms into large groups on the basis of major characteristics +n10276942 an archaic term for a lunatic +n10277027 a person with a mania for setting things on fire +n10277638 a musician who plays the lute +n10277815 follower of Lutheranism +n10277912 a person who writes the words for songs +n10278456 an official who carries a mace of office +n10279018 a craftsman skilled in operating machine tools +n10279778 title used for a married Frenchwoman +n10280034 an unnaturally frenzied or distraught woman +n10280130 an artist of consummate skill +n10280598 a reformed prostitute +n10280674 someone who performs magic tricks to amuse an audience +n10281546 a magician or sorcerer of ancient times +n10281770 a great rani; a princess in India or the wife of a maharaja +n10281896 (Hinduism) term of respect for a brahmin sage +n10282482 an unmarried girl (especially a virgin) +n10282672 a female domestic +n10283170 a commissioned military officer in the United States Army or Air Force or Marines; below lieutenant colonel and above captain +n10283366 a university student who is studying a particular field as the principal subject +n10283546 the chief steward or butler of a great household +n10284064 a person who makes things +n10284871 a newcomer to Hawaii +n10284965 a person who is discontented or disgusted +n10286282 the leader of a town or community in some parts of Asia Minor and the Indian subcontinent +n10286539 someone shirking their duty by feigning illness or incapacity +n10286749 a believer in Malthusian theory +n10288964 any handsome young man +n10289039 the generic use of the word to refer to any human being +n10289176 a male subordinate +n10289462 a woman manager +n10289766 any high government official or bureaucrat +n10290422 a person skilled in maneuvering +n10290541 a person who has an obsession with or excessive enthusiasm for something +n10290813 an adherent of Manichaeism +n10290919 a beautician who cleans and trims and polishes the fingernails +n10291110 a person who handles things manually +n10291469 a heavily armed and mounted soldier in medieval times +n10291822 someone inclined to act first and think later +n10291942 a man devoted to literary or scholarly activities +n10292316 someone who manufactures something +n10293332 walks with regular or stately step +n10293590 a noblewoman ranking below a duchess and above a countess +n10293861 a German nobleman ranking above a count (corresponding in rank to a British marquess) +n10294020 the military governor of a frontier province in medieval Germany +n10294139 a member of the United States Marine Corps +n10295371 a British peer ranking below a duke and above an earl +n10295479 nobleman (in various countries) ranking above a count +n10296176 (in some countries) a military officer of highest rank +n10296444 someone who demands exact conformity to rules and forms +n10297234 a person or animal that is adopted by a team or other group as a symbolic figure +n10297367 someone who obtains pleasure from receiving punishment +n10297531 a craftsman who works with stone or brick +n10297841 a participant in a masquerade +n10298202 a male massager +n10298271 a female massager +n10298647 directs the work of others +n10298912 an officer who is licensed to command a merchant ship +n10299125 the senior petty officer; responsible for discipline aboard ship +n10299250 a person who acts as host at formal occasions (makes an introductory speech and introduces other speakers) +n10299700 a person who practices masturbation +n10299875 someone who arranges (or tries to arrange) marriages for others +n10300041 the officer below the master on a commercial ship +n10300154 informal term for a friend of the same sex +n10300303 the partner of an animal (especially a sexual partner) +n10300500 an informal use of the Latin word for mother; sometimes used by British schoolboys or used facetiously +n10300654 a person judged suitable for admission or employment +n10300829 someone who thinks that nothing exists but physical matter +n10302576 a female head of a family or tribe +n10302700 a feisty older woman with a big bosom (as drawn in cartoons) +n10302905 someone who has been admitted to a college or university +n10303037 a married woman (usually middle-aged with children) who is staid and dignified +n10303814 the head of a city government +n10304086 the wife of a mayor +n10304650 a person trained to design and construct machines +n10304914 (golf) the winner at medal play of a tournament +n10305635 a medical practitioner in the armed forces +n10305802 someone who practices medicine +n10306004 a scientist who studies disease processes +n10306279 someone who serves as an intermediary between the living and the dead +n10306496 a pathological egotist +n10306595 someone subject to melancholia +n10306890 an eastern Christian in Egypt or Syria who adheres to the Orthodox faith as defined by the council of Chalcedon in 451 and as accepted by the Byzantine emperor +n10307114 a worker who melts substances (metal or wax etc.) +n10308066 a person who is not a member +n10308168 a member of a governing board +n10308275 a member of a clan +n10308504 a person who learns by rote +n10308653 a follower of Mendelism +n10308732 a skilled worker who mends or repairs things +n10310783 a member of one of the various peoples inhabiting Mesoamerica +n10311506 (nautical) an associate with whom you share meals in the same mess (as on a ship) +n10311661 a woman of mixed racial ancestry (especially mixed European and Native American ancestry) +n10312287 a specialist who studies processes in the earth's atmosphere that cause weather conditions +n10312491 policewoman who is assigned to write parking tickets +n10312600 a follower of Wesleyanism as practiced by the Methodist Church +n10313000 a person in western Canada who is of Caucasian and American Indian ancestry +n10313239 in the Eastern Orthodox Church this title is given to a position between bishop and patriarch; equivalent to archbishop in western Christianity +n10313441 a soprano with a voice between soprano and contralto +n10313724 an economist who specializes in microeconomics +n10314054 a man who is roughly between 45 and 65 years old +n10314182 someone who is neither a highbrow nor a lowbrow +n10314517 an amateur boxer who weighs no more than 165 pounds +n10314836 a woman skilled in aiding the delivery of babies +n10315217 the emperor of Japan; when regarded as a religious leader the emperor is called tenno +n10315456 a native or inhabitant of Milan +n10315561 a runner in a one-mile race +n10315730 a braggart soldier (a stock figure in comedy) +n10316360 an attache who is a specialist in military matters +n10316527 a chaplain in one of the military services +n10316862 a leader of military forces +n10317007 any person in the armed services who holds a position of authority or command +n10317500 a member of the military police who polices soldiers and guards prisoners +n10317963 the responsible official at a mill that is under absentee ownership +n10318293 a workman in a mill or factory +n10318607 a woman millionaire +n10318686 a workman who designs or erects mills and milling machinery +n10319313 someone (usually in totalitarian countries) who is assigned to watch over foreign visitors +n10320484 an engineer concerned with the construction and operation of mines +n10320863 a person appointed to a high office in the government +n10321126 someone who serves as a minister +n10321340 a player on a minor-league baseball team +n10321632 an American militiaman prior to and during the American Revolution +n10321882 someone who dislikes people in general +n10322238 someone unable to adapt to their circumstances +n10323634 a woman master who directs the work of others +n10323752 an adulterous woman; a woman who has an ongoing extramarital sexual relationship with a man +n10323999 a person whose ancestors belonged to two or more races +n10324560 a person who poses for a photographer or painter or sculptor +n10325549 someone who shows impressive and stylish excellence +n10325774 a person who creates models +n10326776 a moderator who makes less extreme or uncompromising +n10327143 a biologist who studies the structure and activity of macromolecules essential to life +n10327987 a native or inhabitant of Monaco +n10328123 an advocate of the theory that economic fluctuations are caused by increases or decreases in the supply of money +n10328328 someone whose main interest in life is moneymaking +n10328437 someone who is successful in accumulating wealth +n10328696 a member of the Mongoloid race +n10328941 a person who knows only one language +n10329035 an entertainer who performs alone +n10330593 a person who holds a second job (usually after hours) +n10330931 a philosopher who specializes in morals and moral problems +n10331098 a learned fool +n10331167 someone who does a morris dance +n10331258 an enemy who wants to kill you +n10331347 the person who accepts a mortgage +n10331841 one whose business is the management of funerals +n10332110 a marauder and plunderer (originally operating in the bogs between England and Scotland) +n10332385 a woman who has given birth to a child (also used as a term of address to your mother) +n10332861 a term of address for a mother superior +n10332953 a term of address for an elderly woman +n10333044 a woman who evokes the feelings usually reserved for a mother +n10333165 a person who cares for the needs of others (especially in an overprotective or interfering way) +n10333317 the mother of your spouse +n10333439 a boy excessively attached to his mother; lacking normal masculine interests +n10333601 a daughter who is favored by and similar to her mother +n10333838 a policeman who rides a motorcycle (and who checks the speeds of motorists) +n10334009 a traveler who rides a motorcycle +n10334461 prehistoric Amerindians who built altar mounds +n10334782 a flamboyant deceiver; one who attracts customers with tricks or jokes +n10335246 a person who is feeling grief (as grieving over someone who has died) +n10335801 a spokesperson (as a lawyer) +n10335931 someone who moves +n10336411 someone who goes to see movies +n10336904 formerly an itinerant peddler of muffins +n10337488 a neutral or uncommitted person (especially in politics) +n10338231 a Muslim trained in the doctrine and law of Islam; the head of a mosque +n10338391 a chewer who makes a munching noise +n10339179 a woman murderer +n10339251 someone suspected of committing murder +n10339717 a traveler who drives (or travels with) a dog team +n10340312 someone who plays a musical instrument (as a profession) +n10341243 a student of musicology +n10341343 someone who teaches music +n10341446 a foot soldier armed with a musket +n10341573 a Muslim woman +n10341955 a person who mutilates or destroys or disfigures or cripples +n10342180 someone who is openly rebellious and refuses to obey authorities (especially seamen or soldiers) +n10342367 a deaf person who is unable to speak +n10342543 a person who speaks softly and indistinctly +n10342893 someone who muzzles animals +n10342992 a native or inhabitant of ancient Mycenae +n10343088 a botanist who specializes in the study of fungi +n10343355 a person with myopia; a nearsighted person +n10343449 a follower who carries out orders without question +n10343554 someone who believes in the existence of realities beyond human comprehension +n10343869 an expert on mythology +n10344121 a naive or inexperienced person +n10344203 a worker who attaches something by nailing it +n10344319 an insipid weakling who is foolishly sentimental +n10344656 someone who pretends that famous people are his/her friends +n10344774 a person who gives a name or names +n10345015 your grandmother +n10345100 a woman who is the custodian of children +n10345302 a lawman concerned with narcotics violations +n10345422 someone in love with themselves +n10345659 an informer or spy working for the police +n10346015 an advocate of national independence of or a strong national government +n10347204 a professional dancing girl in India +n10347446 naval officer in command of a fleet of warships +n10348526 a member of a Naval Special Warfare unit who is trained for unconventional warfare +n10349243 someone who systematically obstructs some action that others want to take +n10349750 an early name for any Christian +n10349836 a member of a group of Jews who (during the early history of the Christian Church) accepted Jesus as the Messiah; they accepted the Gospel According to Matthew but rejected the Epistles of St. Paul and continued to follow Jewish law and celebrate Jewish holidays; they were later declared heretic by the Church of Rome +n10350220 a German member of Adolf Hitler's political party +n10350774 (Yiddish) a timid unfortunate simpleton +n10351064 a lover who necks +n10353016 a baby from birth to four weeks +n10353355 a son of your brother or sister +n10353928 a specialist in neurobiology +n10354265 a medical specialist in the nervous system and the disorders affecting it +n10354754 someone who does surgery on the nervous system (especially the brain) +n10355142 one who does not side with any party in a war or dispute +n10355306 an advocate of neutrality in international affairs +n10355449 any new participant in some activity +n10355688 a recent arrival +n10355806 a supporter of the economic policies in the United States known as the New Deal +n10356450 the editor of a newspaper +n10356877 someone who reads out broadcast news bulletin +n10357012 a follower of Isaac Newton +n10357613 a daughter of your brother or sister +n10357737 a selfish person who is unwilling to give or spend +n10358032 a porter on duty during the night +n10358124 member of a secret mounted band in United States South after the American Civil War; committed acts of intimidation and revenge +n10358575 someone who objects to siting something in their own neighborhood but does not object to it being sited elsewhere; an acronym for not in my backyard +n10359117 an observant Muslim woman who covers her face and hands when in public or in the presence of any man outside her immediate family +n10359422 someone who makes small and unjustified criticisms +n10359546 winner of a Nobel prize +n10359659 an undercover agent who is given no official cover +n10360366 someone who has announced they are not a candidate; especially a politician who has announced that he or she is not a candidate for some political office +n10360747 a military officer appointed from enlisted personnel +n10361060 a person is not easily classified and not very interesting +n10361194 a person who is not a driver +n10361296 a person who does not participate +n10361525 a person regarded as nonexistent and having no rights; a person whose existence is systematically ignored (especially for ideological or political reasons) +n10362003 someone who does not live in a particular place +n10362319 a person who does not smoke tobacco +n10362557 a member of the American Baptist Convention +n10363445 someone who takes notice +n10363573 one who writes novels +n10364198 someone who has entered a religious order but has not taken final vows +n10364502 a chemist who specializes in nuclear chemistry +n10365514 someone who nudges; someone who gives a gentle push +n10366145 (obstetrics) a woman who has never give birth to a child +n10366276 a mathematician specializing in number theory +n10366966 one skilled in caring for young children or the sick (usually under the supervision of a physician) +n10368291 an infant considered in relation to its nurse +n10368528 a voluptuously beautiful young woman +n10368624 a sexually attractive young woman +n10368711 a person seized by nympholepsy +n10368798 a woman with abnormal sexual desires +n10369095 a woman oarsman +n10369317 a musician who plays the oboe +n10369417 a person who is deliberately vague +n10369528 an expert who observes and comments on something +n10369699 a physician specializing in obstetrics +n10369955 a member of a military force who is residing in a conquered foreign country +n10370381 a believer in occultism; someone versed in the occult arts +n10370955 a connoisseur of fine wines; a grape nut +n10371052 someone who presents something to another for acceptance or rejection +n10371221 the person who holds an office +n10371330 a young man who is employed to do odd jobs in a business office +n10371450 someone who is appointed or elected to an office and who holds a position of trust +n10373390 a clergyman who officiates at a religious ceremony or service +n10373525 any federal law-enforcement officer +n10374541 a worker who produces or sells petroleum +n10374849 a powerful person in the oil business +n10374943 an old person who receives an old-age pension +n10375052 a vivacious elderly man +n10375314 your own wife +n10375402 an informal term for your father +n10376523 an elderly person +n10376890 an elderly man +n10377021 a woman who is old +n10377185 one of the rulers in an oligarchy +n10377291 an athlete who participates in the Olympic games +n10377542 a person who eats all kinds of foods +n10377633 a specialist in oncology +n10378026 someone who looks on +n10378113 one who practices onomancy +n10378780 someone who owns or operates a business +n10379376 a person who places expediency above principle +n10380126 a person disposed to take a favorable view of things +n10380499 a member of a society founded in Ireland in 1795 to uphold Protestantism and the British sovereign +n10380672 a person who delivers a speech or oration +n10381804 a male hospital attendant who has general duties that do not involve the medical treatment of patients +n10381981 a soldier who serves as an attendant to a superior officer +n10382157 the first sergeant of a company; duties formerly included the conveyance of orders +n10382302 a person being ordained +n10382480 a clergyman appointed to prepare condemned prisoners for death +n10382710 a street musician who plays a hand organ or hurdy-gurdy +n10382825 a person who plays an organ +n10383094 an employee who sacrifices his own individuality for the good of an organization +n10383237 a person who brings order and organization to an enterprise +n10383505 someone who enlists workers to join a union +n10383816 someone who creates new things +n10384214 a zoologist who studies birds +n10384392 a child who has lost both parents +n10384496 someone or something who lacks support or care or supervision +n10385566 a therapist who manipulates the skeleton and muscles +n10386196 someone who is excellent at something +n10386754 a woman who spends time outdoors (e.g., hunting and fishing) +n10386874 a fielder in cricket who is stationed in the outfield +n10386984 (baseball) a person who plays in the outfield +n10387196 the person who plays right field +n10387324 (baseball) a pitcher who throws with the right hand +n10387836 a person who lives away from his place of work +n10389865 an occupant who owns the home that he/she lives in +n10389976 a Japanese supervisor +n10390600 a collector of miscellaneous useless objects +n10390698 an employer who exploits Italian immigrants in the U.S. +n10390807 an owner or proprietor of an inn in Italy +n10391416 a boy who is employed to run errands +n10393909 a worker who is employed to cover objects with paint +n10394434 a member of the Paleo-American peoples who were the earliest human inhabitants of North America and South America during the late Pleistocene epoch +n10394786 a specialist in paleontology +n10395073 one of the mourners carrying the coffin at a funeral +n10395209 fortuneteller who predicts your future by the lines on your palms +n10395390 someone who pampers or spoils by excessive indulgence +n10395828 the lama next in rank to the Dalai Lama +n10396106 a member of a panel +n10396337 a beggar who approaches strangers asking for money +n10396727 a freelance photographer who pursues celebrities trying to take candid photographs of them to sell to newspapers or magazines +n10396908 a boy who sells or delivers newspapers +n10397001 one whose occupation is decorating walls with wallpaper +n10397142 someone who passes bad checks or counterfeit paper money +n10397392 an American Indian infant +n10399130 a medieval cleric who raised money for the church by selling papal indulgences +n10400003 a person afflicted with paresis (partial paralysis) +n10400108 a member of a parish +n10400205 a commissioner in charge of public parks +n10400437 an elected member of the British Parliament: a member of the House of Commons +n10400618 a person who is employed to look after the affairs of businesses that are affected by legislation of the British Parliament +n10400998 mimics literary or musical style for comic effect +n10401204 someone who kills his or her parent +n10401331 a copycat who does not understand the words or acts being imitated +n10401639 someone who has or gives or receives a part or a share +n10402709 someone who works less than the customary or standard time +n10402824 a person involved in legal proceedings +n10403633 a member of a political party who follows strictly the party line +n10403876 a traveler riding in a vehicle (a boat or bus or car or plane or train etc) who is not operating it +n10404426 a student who passes an examination +n10404998 a workman who pastes +n10405540 an informal use of the Latin word for father; sometimes used by British schoolboys or used facetiously +n10405694 a person who requires medical care +n10406266 a man who is older and higher in rank than yourself +n10406391 any of the early biblical characters regarded as fathers of the human race +n10406765 the male head of family or tribe +n10407310 one who loves and defends his or her country +n10407954 someone who supports or champions something +n10408809 someone who makes patterns (as for sewing or carpentry or metalworking) +n10409459 a person who lends money at interest in exchange for personal property that is deposited as security +n10409752 a person who pays money for something +n10410246 a member of a military force that is assigned (often with international sanction) to preserve peace in a trouble area +n10410996 one of a (chiefly European) class of agricultural laborers +n10411356 a person who pays more attention to formal rules and book learning than they merit +n10411551 someone who travels about selling his wares (as on the streets or at carnivals) +n10411867 a man who has sex (usually sodomy) with a boy as the passive partner +n10414239 a person who studies the theory and practice of prison management +n10414768 an athlete who competes in a pentathlon +n10414865 any member of a Pentecostal religious body +n10415037 a musician who plays percussion instruments +n10416567 a dentist specializing in diseases of the gums and other structure surrounding the teeth +n10417288 a member of a Kurdish guerilla organization that fights for a free Kurdish state +n10417424 a person of considerable prominence +n10417551 a person who manages the affairs of another +n10417682 another word for person; a person not meriting identification +n10417843 a diplomat who is acceptable to the government to which he is sent +n10417969 a diplomat who is unacceptable to the government to which he is sent +n10418101 a person who represents an abstract quality +n10418735 a person who perspires +n10419047 a person whose behavior deviates from what is acceptable especially in sexual behavior +n10419472 a person who expects the worst +n10419630 a persistently annoying person +n10419785 a boyish or immature man; after the boy in Barrie's play who never grows up +n10420031 one praying humbly for something +n10420277 a member of a petit jury +n10420507 someone left in charge of pets while their owners are away from home +n10420649 a lover who gently fondles and caresses the loved one +n10421016 the title of the ancient Egyptian kings +n10421470 a health professional trained in the art of preparing and dispensing drugs +n10421956 someone who makes charitable donations intended to increase human well-being +n10422405 a collector and student of postage stamps +n10425946 a wise person who is calm and rational; someone who lives a life of reason with equanimity +n10426454 a specialist in phonetics +n10426630 a specialist in phonology +n10427223 a journalist who presents a story primarily through the use of photographs +n10427359 someone who practices photometry +n10427764 therapist who treats injury or dysfunction with exercises and other physical treatments of the disorder +n10428004 a scientist trained in physics +n10431122 a person who makes pianos +n10431625 a person who chooses or selects out +n10432189 a person who is picnicking +n10432441 someone who journeys in foreign lands +n10432875 a unpleasant or tiresome person +n10432957 a prominent supporter +n10433077 a consumer of amphetamine pills +n10433452 a person qualified to guide ships through difficult waters going into or out of a harbor +n10433610 a supposedly primitive man later proven to be a hoax +n10433737 someone who procures customers for whores (in England they call a pimp a ponce) +n10435169 a smoker who uses a pipe +n10435251 someone who is small and insignificant +n10435716 a person who urinates +n10435988 (baseball) the person who does the pitching +n10436334 an aggressive salesman who uses a fast line of talk to sell something +n10437014 a disparaging term for an appointee +n10437137 a miner who extracts minerals from a placer by washing or dredging +n10437262 someone who uses another person's words or ideas as if they were his own +n10437698 an inhabitant of a plains region (especially the Great Plains of North America) +n10438172 a person who makes plans +n10438619 the owner or manager of a plantation +n10438842 a worker skilled in applying plaster +n10439373 a blond whose hair is a pale silvery (often artificially colored) blond +n10439523 a bore who makes excessive use of platitudes +n10439727 a man devoted to the pursuit of pleasure +n10439851 a person who participates in or is skilled at some game +n10441037 a companion at play +n10441124 a pleasing entertainer +n10441694 someone who makes or gives a pledge +n10441962 a diplomat who is fully authorized to represent his or her government +n10442093 someone who plies a trade +n10442232 someone who moves slowly +n10442417 someone who works slowly and monotonously for long hours +n10442573 a clerk who marks data on a chart +n10443032 a craftsman who installs and repairs pipes and fixtures and appliances +n10443659 a philosopher who believes that no single explanation can account for all the phenomena of nature +n10443830 a cleric who holds more than one benefice at a time +n10444194 a writer of poems (the term is usually reserved for writers of good poetry) +n10448322 a policeman stationed at an intersection to direct traffic +n10448455 a woman who is the forefront of an important enterprise +n10449664 a person who holds an insurance policy; usually, the client in whose name an insurance policy is written +n10450038 someone who is imprisoned because of their political views +n10450161 a social scientist specializing in the study of government +n10450303 a person active in party politics +n10451450 a schemer who tries to gain advantage in an organization in sly or underhanded ways +n10451590 someone who conducts surveys of public opinion +n10451858 a person or organization that causes pollution of the environment +n10453184 someone who shoots pool +n10455619 a painter or drawer of portraits +n10456070 a woman poseur +n10456138 someone who emphasizes observable facts and excludes metaphysical speculation about origins or ultimate causes +n10456696 a scholar or researcher who is involved in academic study beyond the level of a doctoral degree +n10457214 a female poster child +n10457444 someone who assumes or takes something for granted as the basis of an argument +n10457903 a citizen who does not hold any official or public position +n10458111 a thinker who focuses on the problem as stated and tries to synthesize information and knowledge to achieve a solution +n10458356 an advocate of full legal protection for embryos and fetuses; someone opposed to legalized induced abortion +n10458596 an expert in prosthetics +n10459882 one submitting a request or application especially one seeking admission into a religious order +n10460033 a worker in an inn or public house who serves customers and does various chores +n10461060 a dealer in poultry and poultry products +n10462588 (computing) a computer user who needs the fastest and most powerful computers available +n10462751 a worker at a power station +n10462860 someone who practices a learned profession +n10464052 someone who prays to God +n10464542 teacher at a university or college (especially at Cambridge or Oxford) +n10464711 one who precedes you in time (as in holding a position or office) +n10464870 a bidder in bridge who makes a preemptive bid +n10465002 someone who acquires land by preemption +n10465451 an infant that is born prior to 37 weeks of gestation +n10465831 an elder in the Presbyterian Church +n10466198 an advocate who presents a person (as for an award or a degree or an introduction etc.) +n10466564 a theologian who believes that the Scripture prophecies of the Apocalypse (the Book of Revelation) are being fulfilled at the present time +n10466918 someone who keeps safe from harm or danger +n10467179 the chief executive of a republic +n10467395 the person who holds the office of head of state of the United States government +n10468750 the head administrative officer of a college or university +n10469611 someone employed to arrange publicity (for a firm or a public figure) +n10469874 a photographer who works for a newspaper +n10470779 a clergyman in Christian churches who has the authority to perform or administer various religious rites; one of the Holy Orders +n10471640 a leading female ballet dancer +n10471732 a distinguished female operatic singer; a female operatic star +n10471859 a vain and temperamental person +n10472129 (obstetrics) a woman who is pregnant for the first time +n10472447 an achondroplastic dwarf whose small size is the result of a genetic defect; body parts and mental and sexual development are normal +n10473453 a suitor who fulfills the dreams of his beloved +n10473562 a prince who is the husband of a reigning female sovereign +n10473789 a petty or insignificant prince who rules some unimportant principality +n10473917 the male heir apparent of the British sovereign +n10474064 a female member of a royal family other than the queen (especially the daughter of a sovereign) +n10474343 the eldest daughter of a British sovereign +n10474446 the major party to a financial transaction at a stock exchange; buys and sells for his own account +n10474645 the educator who has executive authority for a school +n10475835 someone who sells etchings and engravings etc. +n10475940 the head of a religious order; in an abbey the prior is next below the abbot +n10476467 an enlisted man of the lowest rank in the Army or Marines +n10477713 a nurse in training who is undergoing a trial period +n10477955 someone who processes things (foods or photographs or applicants etc.) +n10478118 someone who personally delivers a process (a writ compelling attendance in court) or court papers to the defendant +n10478293 a provincial governor of consular rank in the Roman Republic and Roman Empire +n10478462 an official in a modern colony who has considerable administrative power +n10478827 a doctor specializing in diseases of the rectum and anus +n10478960 someone who supervises (an examination) +n10479135 (ancient Rome) someone employed by the Roman Emperor to manage finance and taxes +n10479328 someone who obtains or acquires +n10481167 someone who sells stock shares at a profit +n10481268 a person who designs and writes and tests computer programs +n10482054 a person who makes a promise +n10482220 someone who is an active supporter and advocate +n10482587 (law) one who promulgates laws (announces a law as a way of putting it into execution) +n10482921 a person who disseminates messages calculated to assist some cause or some government +n10483138 someone who spreads the news +n10483395 member of the stage crew in charge of properties +n10483799 a woman prophet +n10483890 someone who speaks by divine inspiration; someone who is an interpreter of the will of God +n10484858 a government official who conducts criminal prosecutions on behalf of the state +n10485298 someone who explores an area for mineral deposits +n10485883 an advocate of protectionism +n10486166 a woman protege +n10486236 a zoologist who studies protozoans +n10486561 the supervisor of the military police +n10487182 a worker who thins out and trims trees and shrubs +n10487363 a composer of sacred songs +n10487592 a sociologist who studies election trends +n10488016 a physician who specializes in psychiatry +n10488309 a person apparently sensitive to things beyond the natural range of perception +n10488656 a person (usually a psychologist but sometimes a linguist) who studies the psychological basis of human language +n10489426 a psychologist trained in psychophysics +n10490421 the keeper of a public house +n10491998 a short fat person +n10492086 a woman in childbirth or shortly thereafter +n10492727 a person on whom another person vents their anger +n10493199 (football) a person who kicks the football by dropping it from the hands and contacting it with the foot before it hits the ground +n10493419 someone who propels a boat with a pole +n10493685 one who operates puppets or marionettes +n10493835 an inexperienced young person +n10493922 an agent who purchases goods or services for another +n10494195 someone who adheres to strict religious principles; someone opposed to sensual pleasures +n10494373 a member of a group of English Protestants who in the 16th and 17th centuries thought that the Protestant Reformation under Elizabeth was incomplete and advocated the simplification and regulation of forms of worship +n10495167 a person who pursues some plan or goal +n10495421 someone who pushes +n10495555 an unlicensed dealer in illegal drugs +n10495756 one who intrudes or pushes himself forward +n10496393 (Yiddish) a fool; an idiot +n10496489 any member of various peoples having an average height of less than five feet +n10497135 an Islamic judge +n10497534 a person who is paralyzed in both arms and both legs +n10497645 one of four children born at the same time from the same pregnancy +n10498046 one who quakes and trembles with (or as with) fear +n10498699 an unspecified person +n10498816 (football) the person who plays quarterback +n10498986 an army officer who provides clothing and subsistence for troops +n10499110 a staff officer in charge of supplies for a whole army +n10499232 a native or inhabitant of Quebec (especially one who speaks French) +n10499355 a female sovereign ruler +n10499631 the sovereign ruler of England +n10499857 the wife or widow of a king +n10500217 something personified as a woman who is considered the best or most important of her kind +n10500419 the wife of a reigning king +n10500603 a queen dowager who is mother of the reigning sovereign +n10500824 Counsel to the Crown when the British monarch is a queen +n10500942 the host or chairman of a radio or tv quiz show or panel game +n10501453 someone able to acquire new knowledge and skills rapidly and easily +n10501635 a religious mystic who follows quietism +n10502046 a person who gives up too easily +n10502329 spiritual leader of a Jewish congregation; qualified to expound and apply Jewish law +n10502950 a person with a prejudiced belief that one race is superior to others +n10503818 a biologist who studies the effects of radiation on living organisms +n10504090 a scientist trained in radiological technology +n10504206 a medical specialist who uses radioactive substances and X-rays in the treatment of disease +n10505347 American Indian medicine man who attempt to make it rain +n10505613 a bridge partner who increases the partner's bid +n10505732 a prince or king in India +n10505942 a dissolute man in fashionable society +n10506336 a harshly demanding overseer +n10506544 a hired hand on a ranch +n10506915 a commissioned officer who has been promoted from enlisted status +n10507070 someone who rants and raves; speaks in a violent or loud manner +n10507380 someone who is suspected of committing rape +n10507482 someone who performs rap music +n10507565 a recorder appointed by a committee to prepare reports of the meetings +n10507692 a rare or unique person +n10508141 a person who pays local rates (especially a householder) +n10508379 an inexperienced and untrained recruit +n10508710 a person who enjoys reading +n10509063 someone who teaches students to read +n10509161 a philosopher who believes that universals are real and exist independently of anyone thinking of them +n10509810 a person who is authorized to act as an agent for the sale of land +n10510245 an admiral junior to a vice admiral +n10510974 the tennis player who receives the serve +n10511771 someone who recites from memory +n10512201 any new member or supporter (as in the armed forces) +n10512372 a recently enlisted soldier +n10512708 someone who supplies members or employees +n10512859 a sergeant deputized to enlist recruits +n10513509 a member of the military police in Britain +n10513823 someone who has red hair +n10513938 a poor White person in the southern United States +n10514051 a dancer of reels +n10514121 a person who enacts a role in an event that occurred earlier +n10514255 a person whose case has been referred to a specialist or professional group +n10514429 (sports) the chief official (as in boxing or American football) who is expected to ensure fair play +n10514784 one whose work is to refine a specific thing +n10515863 liberal Jew who tries to adapt all aspects of Judaism to modern circumstances +n10516527 a graduate nurse who has passed examinations for registration +n10517137 a person employed to keep a record of the owners of stocks and bonds issued by the company +n10517283 holder of a British professorship created by a royal patron +n10518349 a person who reduces the intensity (e.g., of fears) and calms and pacifies +n10519126 one retired from society for religious reasons +n10519494 leader of a religious order +n10519984 someone who works for a company that moves furniture +n10520286 a modern scholar who is in a position to acquire more than superficial knowledge about many different interests +n10520544 someone who rebels and becomes an outlaw +n10520964 someone whose income is from property rents or bond interest and other investments +n10521100 a skilled worker whose job is to repair things +n10521662 a person who investigates and reports or edits news stories +n10521853 a female newsperson +n10522035 a person who represents others +n10522324 a person without moral scruples +n10522759 someone who saves something from danger or violence +n10523341 a member of a military reserve +n10524076 the representative of Puerto Rico in the United States House of Representatives +n10524223 a person who respects someone or something; usually used in the negative +n10524869 the proprietor of a restaurant +n10525134 a person who directs and restrains +n10525436 a merchant who sells goods at retail +n10525617 someone who has retired from active working +n10525878 the official in each electorate who holds the election and returns the results +n10526534 a person who returns after a lengthy absence +n10527147 a Communist who tries to rewrite Marxism to justify a retreat from the revolutionary position +n10527334 a radical supporter of political or social revolution +n10528023 a physician specializing in rheumatic diseases +n10528148 a primitive hominid resembling Neanderthal man but living in Africa +n10528493 a writer who composes rhymes; a maker of poor verses (usually used as terms of contempt for minor or inferior poets) +n10529231 a person who possesses great material wealth +n10530150 a traveler who actively rides a vehicle (as a bicycle or motorcycle) +n10530383 someone who teaches horsemanship +n10530571 a soldier whose weapon is a rifle +n10530959 a person who uses the right hand more skillfully than the left +n10531109 the most helpful assistant +n10531445 a contestant entered in a competition under false pretenses +n10531838 a person who leads (especially in illicit activities) +n10533874 a workman who is employed to repair roads +n10533983 someone who communicates vocally in a very loud voice +n10536134 an engineer who builds and tests rockets +n10536274 a clever thinker +n10536416 a famous singer of rock music +n10537708 a member of the imperial family that ruled Russia +n10537906 an artist of the Romantic Movement or someone influenced by Romanticism +n10538629 a craftsman who makes ropes +n10538733 a cowboy who uses a lasso to rope cattle or horses +n10538853 a decoy who lures customers into a gambling establishment (especially one with a fixed game) +n10539015 an acrobat who performs on a rope stretched at some height above the ground +n10539160 (a literary reference to) a pretty young girl +n10539278 a member of a secret 17th-century society of philosophers and scholars versed in mystical and metaphysical and alchemical lore +n10540114 colloquial term for a member of the Royal Canadian Mounted Police +n10540252 a member of the volunteer cavalry regiment led by Theodore Roosevelt in the Spanish-American War (1898) +n10540656 a brachycephalic person +n10541833 a person who exercises authority over civilian affairs +n10542608 a person who is employed to deliver messages or documents +n10542761 someone who travels on foot by running +n10542888 a trained athlete who competes in foot races +n10543161 (football) a back on the offensive team (a fullback or halfback) who tries to advance the ball by carrying it on plays from the line of scrimmage +n10543937 someone who migrates as part of a rush to a new gold field or a new territory +n10544232 an unsophisticated country person +n10544748 someone who commits sabotage or deliberately causes wrecks +n10545792 someone who obtains pleasure from inflicting pain or others +n10546428 the ship's officer in charge of navigation +n10546633 any member of a ship's crew +n10548419 a woman salesperson +n10548537 a man salesperson +n10548681 a person employed to represent a business and to sell its merchandise (as to customers in a store or to customers who are visited) +n10549510 someone who salvages +n10550252 a person with advertising boards hanging from the shoulders +n10550369 a traditional Zulu healer and respected elder +n10550468 a married male American Indian +n10551576 a military engineer who does sapping (digging trenches or undermining fortifications) +n10552393 the Scots' term for an English person +n10553140 a governor of a province in ancient Persia +n10553235 someone who walks at a leisurely pace +n10554024 a person who performs in the operettas of Gilbert and Sullivan +n10554141 one who is employed to saw wood +n10554846 someone who buys something and resells it at a price far above the initial cost +n10555059 a person who spreads malicious gossip +n10555430 a reckless and unprincipled reprobate +n10556033 a painter of theatrical scenery +n10556518 a planner who draws up a personal scheme of action +n10556704 someone who is afflicted with schizophrenia +n10556825 (Yiddish) a dolt who is a habitual bungler +n10557246 (slang) a merchant who deals in shoddy or inferior merchandise +n10557854 a learned person (especially in the humanities); someone who by long study has gained mastery in one or more disciplines +n10559009 a scholar who writes explanatory notes on an author (especially an ancient commentator on a classical author) +n10559288 a young person attending school (up through senior high school) +n10559508 a friend who attends the same school +n10559683 a scholar in one of the universities of the Middle Ages; versed in scholasticism +n10559996 any person (or institution) who acts as an educator +n10560106 an acquaintance that you go to school with +n10560637 a person with advanced knowledge of one or more sciences +n10561222 a descendent or heir +n10561320 someone who jeers or mocks or treats something with contempt or calls out in derision +n10561736 one who habitually ignores the law and does not answer court summonses +n10562135 an official who records the score during the progress of a game +n10562283 a logger who marks trees to be felled +n10562509 someone who travels widely and energetically +n10562968 someone employed to discover and recruit talented persons (especially in the worlds of entertainment or sports) +n10563314 the leader of a troop of Scouts +n10563403 a rapid mover; someone who scrambles +n10563711 a person who scratches to relieve an itch +n10564098 an actor who plays a role in a film +n10565502 someone who examines votes at an election +n10565667 an underwater diver who uses scuba gear +n10566072 an artist who creates sculptures +n10567613 a Boy Scout enrolled in programs for water activities +n10567722 a worker who finds employment only in certain seasons +n10567848 a cook who uses seasonings +n10568200 (baseball) the person who plays second base +n10568358 a child of a first cousin +n10568443 someone who endorses a motion or petition as a necessary preliminary to a discussion or vote +n10568608 someone who serves in a subordinate capacity or plays a secondary role +n10568915 someone who relieves a commander +n10569011 a commissioned officer in the Army or Air Force or Marine Corps holding the lowest rank +n10569179 a person of second-rate ability or value +n10570019 a person who is head of an administrative department of government +n10570704 the person who holds the secretaryship of the Department of Agriculture +n10571907 the person who holds the secretaryship of the Department of Health and Human Services +n10572706 the person who holds the secretaryship of the Department of State +n10572889 the person who holds the secretaryship of the Interior Department +n10573957 a member of a sect +n10574311 a laborer assigned to a section gang +n10574538 an advocate of secularism; someone who believes that religion should be excluded from government and education +n10574840 an adviser about alarm systems to prevent burglaries +n10575463 one of the outstanding players in a tournament +n10575594 a person who seeds clouds +n10575787 someone making a search or inquiry +n10576223 someone who is or has been segregated +n10576316 someone who believes the races should be kept apart +n10576676 an elected member of a board of officials who run New England towns +n10576818 an elected member of a board of officials who run New England towns +n10576962 a person who is unusually selfish +n10577182 an energetic person with unusual initiative +n10577284 someone who promotes or exchanges goods or services for money +n10577710 someone who sells goods (on commission) for others +n10577820 a specialist in the study of meaning +n10578021 one of four competitors remaining in a tournament by elimination +n10578162 a student at a seminary (especially a Roman Catholic seminary) +n10578471 a member of a senate +n10578656 the intended recipient of a message +n10579062 an undergraduate student during the year preceding graduation +n10579549 the ranking vice president in a firm that has more than one +n10580030 an advocate of secession or separation from a larger group (such as an established church or a national union) +n10580437 someone whose age is in the seventies +n10580535 (Middle Ages) a person who is bound to the land and owned by the feudal lord +n10581648 a serial killer whose murders occur within a brief period of time +n10581890 an English barrister of the highest rank +n10582604 (court games) the player who serves to start a point +n10582746 someone who serves in the armed forces; a member of a military force +n10583387 a person who settles in a new colony or moves into new country +n10583790 a clerk in a betting shop who calculates the winnings +n10585077 a person (especially a celebrity) who is well-known for their sexual attractiveness +n10585217 an officer of the church who is in charge of sacred objects +n10585628 Arabic term for holy martyrs; applied by Palestinians to suicide bombers +n10586166 a Shakespearean scholar +n10586265 a kidnapper who drugs men and takes them for compulsory service aboard a ship +n10586444 small farmers and tenants +n10586903 an adult male who shaves +n10586998 an admirer of G. B. Shaw or his works +n10588074 a timid defenseless simpleton who is readily preyed upon +n10588357 the leader of an Arab village or family +n10588724 a worker who puts things (as books) on shelves +n10588965 a clergyman who watches over a group of people +n10589666 a contractor who buys old ships and breaks them up for scrap +n10590146 an associate on the same ship with you +n10590239 someone who owns a ship or a share in a ship +n10590452 the agent of a shipowner +n10590903 a maker of shirts +n10591072 a hereditary military dictator of Japan; the shoguns ruled Japan until the revolution of 1867-68 +n10591811 a compulsive shopper +n10592049 a young female shop assistant +n10592811 a union member who is elected to represent fellow workers in negotiating with management +n10593521 an athlete who competes in the shot put +n10594147 a scolding nagging bad-tempered woman +n10594523 the card player who shuffles the cards +n10594857 a person (especially a lawyer or politician) who uses unscrupulous or unethical methods +n10595164 a person's brother or sister +n10595647 a person suffering from an illness +n10596517 a performer who reads without preparation or prior acquaintance (as in music) +n10596899 someone who communicates by signals +n10597505 someone who can use sign language to communicate +n10597745 used as an Italian courtesy title; can be prefixed to the name or used separately +n10597889 an Italian title of address equivalent to Mrs. when used before a name +n10598013 an Italian title of respect for a man; equivalent to the English `sir'; used separately (not prefixed to his name) +n10598181 an Italian courtesy title for an unmarried woman; equivalent to `Miss', it is either used alone or before a name +n10598459 a partner (who usually provides capital) whose association with the enterprise is not public knowledge +n10598904 a person with confused ideas; incapable of serious thought +n10599215 a smiler whose smile is silly and self-conscious and sometimes coy +n10599806 a person who sings +n10601234 a student of Chinese history and language and culture +n10601362 a drinker who sips +n10602119 formerly a contemptuous term of address to an inferior man or boy; often used in anger +n10602470 (Roman Catholic Church) a title given to a nun (and used as a form of address) +n10602985 a female person who has the same parents as another person +n10603528 one who hesitates (usually out of fear) +n10603851 a musician who plays the sitar +n10604275 a student in the sixth form +n10604380 someone who skates on a skateboard +n10604634 someone who habitually doubts accepted beliefs +n10604880 someone who draws sketches +n10604979 a worker who uses a skid to move logs +n10605253 someone who skis +n10605737 a naked swimmer +n10607291 an underwater swimmer equipped with a face mask and foot fins and either a snorkel or an air cylinder +n10607478 a young person who belongs to a British or American group that shave their heads and gather at rock concerts or engage in white supremacist demonstrations +n10609092 someone who slashes another person +n10609198 a dirty untidy woman +n10610465 a rester who is sleeping +n10610850 a spy or saboteur or terrorist planted in an enemy country who lives there as a law-abiding citizen until activated by a prearranged signal +n10611267 a person who is sleeping soundly +n10611613 a detective who follows a trail +n10612210 a coarse obnoxious person +n10612373 someone who coins and uses slogans to promote a cause +n10612518 a dealer in cheap ready-made clothing +n10613996 a very attractive or seductive looking woman +n10614507 a smiler whose smile is offensively self-satisfied +n10614629 someone who works metal (especially by hammering it when it is hot and malleable) +n10615179 someone with an assured and ingratiating manner +n10615334 someone who imports or exports without paying duties +n10616578 a person who sneezes +n10617024 a person regarded as arrogant and annoying +n10617193 a spy who makes uninvited inquiries into the private affairs of others +n10617397 someone who snores while sleeping +n10618234 a journalist who specializes in sentimental stories +n10618342 an athlete who plays soccer +n10618465 an anthropologist who studies such cultural phenomena as kinship systems +n10618685 someone seeking social prominence by obsequious behavior +n10618848 a political advocate of socialism +n10619492 a person who takes part in social activities +n10619642 someone expert in the study of human society and its personal relationships +n10619888 a personal secretary who handles your social correspondence and appointments +n10620212 an adherent of the teachings of Socinus; a Christian who rejects the divinity of Christ and the Trinity and original sin; influenced the development of Unitarian theology +n10620586 a linguist who studies the social and cultural factors that influence linguistic communication +n10620758 a social scientist who studies the institutions and development of human society +n10621294 someone who works at a soda fountain +n10621400 a member of a sodality +n10621514 someone who engages in anal copulation (especially a male who engages in anal copulation with another male) +n10622053 an enlisted man or woman who serves in an army +n10624074 a male human offspring +n10624310 a person who sings +n10624437 a woman songster (especially of popular songs) +n10624540 a composer of words or music for popular songs +n10625860 one who practices magic or sorcery +n10626630 someone who is peevish or disgruntled +n10627252 someone for whom you have a deep affinity +n10628097 a member of the Southern Baptist Convention +n10628644 a nation's ruler or head of state usually by hereditary right +n10629329 an astronaut who is active outside a spacecraft in outer space +n10629647 an American whose first language is Spanish +n10629939 a boxer who spars with another boxer who is training for an important fight +n10630093 a person suffering from spastic paralysis +n10630188 someone who expresses in language; someone who talks (especially someone who delivers a public speech or someone especially garrulous) +n10631131 a speaker of a particular language who has spoken that language since earliest childhood +n10631309 the presiding officer of a deliberative assembly +n10631654 a writer who composes speeches for others to deliver +n10632576 practices one branch of medicine +n10633298 someone who draws up specifications giving details (as for obtaining a patent) +n10633450 a close observer; someone who looks at something (such as an exhibition of some kind) +n10634464 a therapist who treats speech defects and disorders +n10634849 an ice-skater who races competitively; usually around an oval course +n10634990 an orator who can hold his listeners spellbound +n10635788 an inscrutable person who keeps his thoughts and intentions secret +n10636488 an elderly unmarried woman +n10637483 (football) an offensive end who lines up at a distance from the other linemen +n10638922 someone who engages in sports +n10639238 (Maine colloquial) a temporary summer resident of Maine +n10639359 someone who enjoys outdoor activities +n10639637 an announcer who reads sports news or describes sporting events +n10639817 the newspaper editor responsible for sports news +n10641223 a child +n10642596 someone who does square dancing +n10642705 a frank and honest person +n10643095 someone who settles on land without right or title +n10643837 an English country landowner +n10643937 young nobleman attendant on a knight +n10644598 an employee who is a member of a staff of workers (especially a member of the staff that works for the President of the United States) +n10645017 a noncommissioned officer ranking above corporal and below sergeant first class in the Army or Marines or above airman 1st class in the Air Force +n10645223 someone who supervises the actors and directs the action in the production of a stage show +n10646032 a worker who stains (wood or fabric) +n10646140 someone entrusted to hold the stakes for two or more persons betting against one another; must deliver the stakes to the winner +n10646433 someone who stalks game +n10646641 a candidate put forward to divide the Opposition or to mask the true candidate +n10646780 someone who speaks with involuntary pauses and repetitions +n10646942 someone who walks with a heavy noisy gait or who stamps on the ground +n10647745 someone who stands in a place where one might otherwise sit (as a spectator who uses standing room in a theater or a passenger on a crowded bus or train) +n10648237 someone who takes the place of another (as when things get dangerous or difficult) +n10648696 an actor who plays a principal role +n10649197 a young (film) actress who is publicized as a future star +n10649308 the official who signals the beginning of a race or competition +n10650162 a man who is a respected leader in national or international affairs +n10652605 the treasurer for a state government +n10652703 a merchant who sells writing materials and office supplies +n10654015 someone skilled in the transcription of speech (especially dictation) +n10654211 a speaker with an unusually loud voice +n10654321 a brother who has only one parent in common with you +n10654827 the wife of your father by a subsequent marriage +n10654932 the spouse of your parent by a subsequent marriage +n10655169 a laborer who loads and unloads vessels in a port +n10655442 someone who manages property or other affairs for someone else +n10655594 an attendant on an airplane +n10655730 the ship's officer who is in charge of provisions and dining arrangements +n10655986 someone who insists on something +n10656120 an ordinary man +n10656223 a person who stifles or smothers or suppresses +n10656969 (United Kingdom) a paid magistrate (appointed by the Home Secretary) dealing with police cases +n10657306 a garmentmaker who performs the finishing steps +n10657556 one who deals only with brokers or other jobbers +n10657835 someone who buys and sells stock shares +n10658304 one (as a retailer or distributor) that stocks goods +n10659042 a laborer who tends fires (as on a coal-fired train or steamship) +n10659762 a person who carries himself or herself with the head and shoulders habitually bent forward +n10660128 a private detective employed by a merchant to stop pilferage +n10660621 a combat pilot who strafes the enemy +n10660883 a performer who acts as stooge to a comedian +n10661002 anyone who does not belong in the environment in which they are found +n10661216 an individual that one is not acquainted with +n10661563 an expert in strategy (especially in warfare) +n10661732 a member of a work gang who supervises the other workers +n10663315 a prostitute who attracts customers by walking the streets +n10663549 one who helps carry a stretcher +n10665302 a person who struggles with difficulties or with great effort +n10665587 a man who is virile and sexually active +n10665698 a learner who is enrolled in an educational institution +n10666752 a second-rate prize fighter +n10667477 an artist who is a master of a particular style +n10667709 a British commissioned army officer below the rank of captain +n10667863 someone who enters into a subcontract with the primary contractor +n10668450 someone who overcomes and establishes ascendancy and control by force or persuasion +n10668666 a person who is subjected to experimental or other observational procedures; someone who is an object of investigation +n10669991 an assistant subject to the authority or control of another +n10671042 an athlete who plays only when a starter on the team is replaced +n10671613 a person who inherits some title or office +n10671736 a person who follows next in order +n10671898 someone who gives help in times of need or distress or difficulty +n10672371 a Muslim who represents the mystical dimension of Islam; a Muslim who seeks direct experience of Allah; mainly in Iran +n10672540 an assistant or subordinate bishop of a diocese +n10672662 a woman advocate of women's right to vote (especially a militant advocate in the United Kingdom at the beginning of the 20th century) +n10673296 a wealthy older man who gives a young person expensive gifts in return for friendship or intimacy +n10673776 a terrorist who blows himself up in order to kill or injure other people +n10674130 a man who courts a woman +n10674713 a wrestler who participates in sumo (a Japanese form of wrestling) +n10675010 someone who basks in the sunshine in order to get a suntan +n10675142 a tramp who habitually arrives at sundown +n10675609 an amateur boxer who weighs more than 201 pounds +n10676018 one of greater rank or station or quality +n10676434 an informal term for a mother who can combine childcare and full-time employment +n10676569 a minor actor in crowd scenes +n10678937 the most important person in an organization +n10679174 a physician who specializes in surgery +n10679503 the senior medical officer in an Army or Navy +n10679610 the head of the United States Public Health Service +n10679723 a captor who uses surprise to capture the victim +n10680609 an engineer who determines the boundaries and elevations of land or structures +n10680796 someone who conducts a statistical survey +n10681194 one who lives through affliction +n10681557 a supplier of victuals or supplies to an army +n10682713 an employee who sweeps (floors or streets etc.) +n10682953 a person loved by another person +n10683675 a person who engages freely in promiscuous sex +n10684146 a person who administers punishment by wielding a switch or whip +n10684630 an insignificant student who is ridiculed as being affected or boringly studious +n10684827 a person who tries to please someone in order to gain a personal advantage +n10685398 a slender graceful young woman +n10686073 someone who shares your feelings or opinions and hopes that you will be successful +n10686517 a composer of symphonies +n10686694 a musician who plays syncopated jazz music (usually in a dance band) +n10686885 one appointed to represent a city or university or corporation in business transactions +n10688356 a person who is skilled at planning tactics +n10688811 someone who appends or joins one thing to another +n10689306 (American football) the person who plays tailback +n10690268 one who keeps a tally of quantity or weight of goods produced or shipped or received +n10690421 one who sells goods on the installment plan +n10690648 a soldier who drives a tank +n10691318 someone who wiretaps a telephone or telegraph wire +n10691937 a hypocrite who pretends to religious piety (after the protagonist in a play by Moliere) +n10692090 (sometimes used ironically) a man of great strength and agility (after the hero of a series of novels by Edgar Rice Burroughs) +n10692482 someone who samples food or drink for its quality +n10692883 an official who evaluates property for the purpose of taxing it +n10693235 a bureaucrat who levies taxes +n10693334 a woman employed to dance with patrons who pay a fee for each dance +n10693824 a biologist who specializes in the classification of organisms into groups on the basis of their structure and origin and behavior +n10694258 a person whose occupation is teaching +n10694939 a graduate student with teaching responsibilities +n10695450 a reckless and impetuous person +n10696101 a noncommissioned officer ranking below a master sergeant in the air force or marines +n10696508 someone known for high skill in some intellectual or artistic technique +n10697135 a tough youth of 1950's and 1960's wearing Edwardian style clothes +n10697282 a total abstainer +n10698368 someone who reports news stories via television +n10699558 someone who temporizes; someone who tries to gain time or who waits for a favorable time +n10699752 a person who tempts others +n10699981 infant born at a gestational age between 37 and 42 completed weeks +n10700105 one who works strenuously +n10700201 someone who pays rent to use land or a building or a car that is owned by someone else +n10700640 a holder of buildings or lands by any kind of title (as ownership or lease) +n10700963 an inexperienced person (especially someone inexperienced in outdoor living) +n10701180 an athlete who plays tennis +n10701644 someone who earns a living playing or teaching tennis +n10701962 a musician who plays the tenor saxophone +n10702167 a person who serves a specified term +n10702615 a person who inspires fear or dread +n10703221 a woman who is pregnant for the third time +n10703336 a person who makes a will +n10703480 a female testator +n10703692 someone who is tested (as by an intelligence test or an academic examination) +n10704238 a baby conceived by fertilization that occurs outside the mother's body; the woman's ova are removed and mixed with sperm in a culture medium - if fertilization occurs the blastocyte is implanted in the woman's uterus +n10704712 a member of the Texas state highway patrol; formerly a mounted lawman who maintained order on the frontier +n10704886 a man ranking above an ordinary freeman and below a noble in Anglo-Saxon England (especially one who gave military service in exchange for land) +n10705448 someone who produces theatrical performances +n10705615 someone who is learned in theology or who speculates about theology +n10706812 someone who theorizes (especially in science or art) +n10707134 a believer in theosophy +n10707233 a person skilled in a particular type of therapy +n10707707 a native or inhabitant of Thessalonica +n10708292 an important intellectual +n10708454 someone who exercises the mind (usually in an effort to reach a decision) +n10709529 someone who projects something (especially by a rapid motion of the arm) +n10710171 an acolyte who carries a thurible +n10710259 someone who is paid to admit only those who have purchased tickets +n10710778 (football) an offensive end who lines up close to the tackle +n10710913 a worker who lays tile +n10711483 (sports) an official who keeps track of the time elapsed +n10711766 a native or inhabitant of Timor +n10712229 an unskilled person who tries to fix or mend +n10712374 someone who makes or repairs tinware +n10712474 a hairdresser who tints hair +n10712690 someone who drinks liquor repeatedly in small quantities +n10712835 one who sells advice about gambling or speculation (especially at the racetrack) +n10713254 a special law-enforcement agent of the United States Treasury +n10713686 the person who proposes toasts and introduces speakers at a banquet +n10713843 a woman toastmaster +n10714195 someone who rides a toboggan +n10715030 a girl who behaves in a boyish manner +n10715347 someone skilled in making or repairing tools +n10715789 a leader in a campaign or movement +n10716576 an American who favored the British side during the American Revolution +n10716864 a member of political party in Great Britain that has been known as the Conservative Party since 1832; was the opposition party to the Whigs +n10717055 someone who throws lightly (as with the palm upward) +n10717196 terms of abuse for a masturbator +n10717337 an adherent of totalitarian principles or totalitarian government +n10718131 someone who travels for pleasure +n10718349 someone who advertises for customers in an especially brazen way +n10718509 someone who buys tickets to an event in order to resell them at a profit +n10718665 a comrade (especially in Russian communism) +n10718952 a person with light blond hair +n10719036 the official who keeps a town's records +n10719132 (formerly) an official who made public announcements +n10719267 a resident of a town or city +n10719807 one who studies the nature and effects of poisons and their treatment +n10720197 a star runner +n10720453 someone who purchases and maintains an inventory of goods to be sold +n10720964 a worker who belongs to a trade union +n10721124 one who adheres to traditional views +n10721321 a policeman who controls the flow of automobile traffic +n10721612 an actor who specializes in tragic roles +n10721708 a writer (especially a playwright) who writes tragedies +n10721819 an actress who specializes in tragic roles +n10722029 the person responsible for driving a herd of cattle +n10722575 one who trains other persons or animals +n10722965 someone who betrays his country by committing treason +n10723230 female traitor +n10723597 someone who conducts or carries on business or negotiations +n10724132 someone who represents the sounds of speech in phonetic notation +n10724372 someone who transfers or is transferred from one position to another +n10724570 (law) someone to whom a title or property is conveyed +n10725280 a person who translates written messages from one language to another +n10726031 someone who adopts the dress or manner or sexual role of the opposite sex +n10726786 a salesman who travels to call on customers +n10727016 someone who moves or passes across +n10727171 a fisherman who use a trawl net +n10727458 the British cabinet minister responsible for economic strategy +n10728117 someone who digs trenches +n10728233 someone who popularizes a new fashion +n10728624 someone who lives in a tribe +n10728998 one who tries +n10729330 one who behaves lightly or not seriously +n10730542 a mounted policeman +n10730728 a state police officer +n10731013 radicals who support Trotsky's theory that socialism must be established throughout the world by continuing revolution +n10731732 one who is absent from school without permission +n10732010 a musician who plays the trumpet or cornet +n10732521 a convict who is considered trustworthy and granted special privileges +n10732854 a member of the dynasty that ruled England +n10732967 a gymnast who performs rolls and somersaults and twists etc. +n10733820 learns from a tutor +n10734394 either of two offspring born at the same time from the same pregnancy +n10734741 someone who deceives a lover or spouse by carrying on a sexual relationship with somebody else +n10734891 a native of Yorkshire +n10734963 a person who plays the kettledrums +n10735173 someone paid to operate a typewriter +n10735298 a cruel and oppressive dictator +n10735984 an official at a baseball game +n10737103 an actor able to replace a regular performer when required +n10737264 one whose presence is undesirable +n10738111 a person who rides a unicycle +n10738215 an advocate of unilateralism +n10738670 adherent of Unitarianism +n10738871 adherent of Arminianism +n10739135 a person whose type O Rh-negative blood may be safely transfused into persons with other blood types +n10739297 an expert on the UNIX operating system +n10739391 an unidentified soldier whose body is honored as a memorial +n10740594 an unexpected winner; someone who defeats the favorite competitor +n10740732 a selfish actor who upstages the other actors +n10740868 a person who has suddenly risen to a higher economic status but has not gained social acceptance of others in that class +n10741152 an arrogant or presumptuous person +n10741367 poor and often mischievous city child +n10741493 a specialist in urology +n10742005 a female usher +n10742111 an official stationed at the entrance of a courtroom or legislative chamber +n10742546 one who wrongfully or illegally seizes and holds the place of another +n10742997 a baseball player valued for the ability to play at several positions +n10743124 someone who puts to good use +n10743356 an idealistic (but usually impractical) social reformer +n10744078 a husband who murders his wife +n10744164 someone on vacation; someone who is devoting time to pleasure or relaxation rather than to work +n10745006 the student with the best grades who usually delivers the valedictory address at commencement +n10745770 a girl who grew up in the tract housing in the San Fernando Valley +n10746931 an athlete who jumps over a high crossbar with the aid of a long pole +n10747119 eater of fruits and grains and nuts; someone who eats no meat or fish or (often) any animal products +n10747424 a strict vegetarian; someone who eats no animal or dairy products at all +n10747548 someone who regards with deep respect or reverence +n10747965 a speculator who makes money available for innovative projects (especially in high technology) +n10748142 a merchant who undertakes a trading venture (especially a venture that sends goods overseas) +n10748506 an irritating or obnoxious person +n10748620 an important or influential (and often overbearing) person +n10749928 a musician who plays the vibraphone +n10750031 a Roman Catholic priest who acts for another higher-ranking clergyman +n10750188 (Church of England) a clergyman appointed to act as priest of a parish +n10750640 (Roman Catholic Church) an administrative deputy who assists a bishop +n10751026 a deputy or assistant to someone bearing the title of chancellor +n10751152 someone appointed by a ruler as an administrative deputy +n10751265 an executive officer ranking immediately below a president; may serve in the president's place under certain circumstances +n10751710 a regent's deputy +n10752480 a person who is tricked or swindled +n10753061 a person who lived during the reign of Victoria +n10753182 an innkeeper (especially British) +n10753339 member of a vigilance committee +n10753442 one who has lived in a village most of their life +n10753989 a person who harvests grapes for making wine +n10754189 someone who sells wine +n10754281 someone who assaults others sexually +n10754449 someone who violates the law +n10755080 a musician who plays the viola +n10755164 a noisy or scolding or domineering woman +n10755394 a specialist in virology +n10755648 a member of the most numerous indigenous people of the Philippines +n10756061 a wife or widow of a viscount +n10756148 (in various countries) a son or younger brother or a count +n10756261 a member of the western group of Goths who sacked Rome and created a kingdom in present-day Spain and southern France +n10756641 a person given to fanciful speculations and enthusiasms with little regard for what is actually possible +n10756837 an important or distinguished visitor +n10757050 a professor visiting another college or university to teach for a limited time +n10757492 one whose prevailing mental imagery is visual +n10758337 a malicious woman with a fierce temper +n10758445 a high official in a Muslim government (especially in the Ottoman Empire) +n10758949 someone who regulates the tone of organ pipes +n10759151 a person who performs voluntary work +n10759331 (military) a person who freely enlists for service +n10759982 a priest or priestess (or consecrated worshipper) in a non-Christian religion or cult +n10760199 one bound by vows to a religion or life of worship or service +n10760622 (law) a person called into court to defend a title +n10760951 someone who makes a solemn promise to do something or behave in a certain way +n10761190 a traveler to a distant land (especially one who travels by sea) +n10761326 a viewer who enjoys seeing the sex acts or sex organs of others +n10761519 someone who vulcanizes rubber to improve its strength and resiliency +n10762212 someone who speaks or writes in a vague and evasive manner +n10762480 a follower of the theories or an admirer of the music of Richard Wagner +n10763075 a homeless child especially one forsaken or orphaned +n10763245 a mourner who utters long loud high-pitched cries +n10763383 a person whose occupation is to serve at table (as in a restaurant) +n10763620 a woman waiter +n10764465 a union representative who visits workers at their jobs to see whether agreements are observed +n10764622 plays a small part in a dramatic production +n10764719 usually in combination: person in charge of or employed at a particular thing +n10765305 a silly and inept person; someone who is regarded as stupid +n10765587 a dancer who waltzes +n10765679 someone who leads a wandering unsettled life +n10765885 a legendary Jew condemned to roam the world for mocking Jesus at the Crucifixion +n10766260 lewd or lascivious woman +n10768148 a customer to whom a warrant or guarantee is given +n10768272 a recipient of a warrant issued by a court in the United States +n10768903 someone who washes things for a living +n10769084 operates industrial washing machine +n10769188 a working woman who takes in washing +n10769321 someone who enjoys riotous drinking +n10769459 someone who dissipates resources self-indulgently +n10771066 a member of the women's reserve of the United States Navy; originally organized during World War II but now no longer a separate branch +n10772092 predicts the weather +n10772580 a reservist who fulfills the military obligation on weekends +n10772937 a farmhand hired to remove weeds +n10773665 joins pieces of metal by welding them together +n10773800 a case for a welfare worker +n10774329 an inhabitant of a western area; especially of the U.S. +n10774756 a resident of the west side of Manhattan in New York City +n10775003 a workman who wets the work in a manufacturing process +n10775128 a seaman who works on a ship that hunts whales +n10776052 a supporter of the American Revolution +n10776339 a person given to excessive complaints and crying and whining +n10776887 huntsman's assistant in managing the hounds +n10777299 one who speaks in a whisper +n10778044 a clown whose face is covered with white make-up +n10778148 a Roman Catholic friar wearing the white cloak of the Carmelite order; mendicant preachers +n10778711 a Roman Catholic friar or monk belonging to one of the Augustinian monastic orders +n10778999 someone (or something) expected to achieve great success in a given field +n10779610 a person who believes that the white race is or should be supreme +n10779897 a pimp who procures whores +n10779995 a prostitute's customer +n10780284 a woman whose husband is dead especially one who has not remarried +n10780632 a married woman; a man's partner in marriage +n10781236 one who can't stay still (especially a child) +n10781817 a person who lacks confidence, is irresolute and wishy-washy +n10782362 (RAF rank) one who is next below a group captain +n10782471 (sports) player in wing position +n10782791 a gambler who wins a bet +n10782940 the contestant who wins the contest +n10783240 someone who decorates shop windows +n10783539 a person who winks +n10783646 a worker who wipes +n10783734 a worker who installs and repairs electric wiring +n10784113 an upstart who makes conceited, sardonic, insolent comments +n10784544 someone who is believed to heal through magical powers +n10784922 a student who withdraws from the educational institution in which he or she was enrolled +n10785480 an authority who withdraws permission +n10787470 an adult female person (as opposed to a man) +n10788852 a female person who plays a significant role (wife or mistress or girlfriend) in the life of a particular man +n10789415 a man who is unusually successful at an early age +n10789709 someone who is curious about something +n10791115 a young woman who is employed +n10791221 an employee who performs manual or industrial labor +n10791820 a fellow worker +n10791890 a person absorbed by the concerns and interests and pleasures of the present world +n10792335 someone who admires too much to recognize faults +n10792506 an important, honorable person (word is often used humorously) +n10792856 someone who demolishes or dismantles buildings as a job +n10793570 someone who makes or repairs something (usually used in combination) +n10793799 a candidate for public office whose name does not appear on the ballot and so must be written on the ballot by the voters +n10794014 writes (books or stories or articles or the like) professionally (for pay) +n10801561 a student enrolled in (or graduated from) Winchester College +n10801802 a Japanese gangster +n10802507 a military recruit who is assigned menial tasks +n10802621 member of an international gang of Jamaican criminals who sell drugs and violence +n10802953 worker in a railway yard +n10803031 a railroad employer who is in charge of a railway yard +n10803282 (Yiddish) a woman who talks too much; a gossip unable to keep a secret; a woman who spreads rumors and scandal +n10803978 one who practices yoga and has achieved a high level of spiritual insight +n10804287 a teenager or a young adult male +n10804636 a young radical who agitates for reform +n10804732 a member of one or more of the insurgent groups in Turkey in the late 19th century who rebelled against the absolutism of Ottoman rule +n10805501 a Jewish supporter of Zionism +n10806113 the chief person responsible for a zoological garden +n10994097 French diplomat who in 1793 tried to draw the United States into the war between France and England (1763-1834) +n11100798 United States diplomat who recommended a policy of containment in dealing with Soviet aggression (1904-2005) +n11196627 British writer of short stories (1870-1916) +n11242849 British philosopher (born in Austria) who argued that scientific theories can never be proved to be true, but are tested by attempts to falsify them (1902-1994) +n11318824 Irish writer of the horror novel about Dracula (1847-1912) +n11346873 United States physicist who developed the laser and maser principles for producing high-intensity radiation (1915-) +n11448153 a windstorm that lifts up clouds of dust or sand +n11487732 a bright spot on the parhelic circle; caused by diffraction by ice crystals +n11508382 precipitation falling from clouds in the form of ice crystals +n11511327 a bright spot on a planet +n11524451 a persistent and widespread unusual weather condition (especially of unusual temperatures) +n11530008 microscopic plants; bacteria are often considered to be microflora +n11531193 a wild uncultivated plant (especially a wild apple or crabapple tree) +n11531334 a plant that tends to climb and on occasion can grow like a vine +n11532682 cuplike structure around the base of the stalk of certain fungi +n11533212 the fruiting body of a basidiomycete which bears its spores on special cells +n11533999 a part of a plant (e.g., a leaf) that has been modified to provide protection for insects or mites or fungi +n11536567 a plant that reproduces or is reproduced by apomixis +n11536673 a plant that lives in or on water +n11537327 any of numerous plants of the division Bryophyta +n11539289 a moss in which the main axis is terminated by the archegonium (and hence the capsule) +n11542137 any of various pale or ashy mosses of the genus Sphagnum whose decomposed remains form peat +n11542640 any of numerous small green nonvascular plants of the class Hepaticopsida growing in wet places and resembling green seaweeds or leafy mosses +n11544015 a common liverwort +n11545350 Carboniferous fossil fern characterized by a regular arrangement of the leaflets resembling a comb +n11545524 plants having vascular tissue and reproducing by spores +n11545714 any of numerous flowerless and seedless vascular plants having true roots from a rhizome and fronds that uncurl upward; reproduce by spores +n11547562 pteridophytes of other classes than Filicopsida +n11547855 a small usually single-celled asexual reproductive body produced by many nonflowering plants and fungi and some bacteria and protozoans and that are capable of developing into a new individual without sexual fusion +n11548728 a nonmotile spore of red algae +n11548870 thick-walled asexual resting spore of certain fungi and algae +n11549009 an asexually produced fungal spore formed on a conidiophore +n11549245 a thick-walled sexual spore that develops from a fertilized oosphere in some algae and fungi +n11549779 one of the four asexual spores produced within a sporangium +n11549895 an asexual spore of some algae and fungi that moves by means of flagella +n11552133 formerly recognized taxonomic group including all flowerless and seedless plants that reproduce by means of spores: ferns, mosses, algae, fungi +n11552386 plant that reproduces by means of seeds not spores +n11552594 young plant or tree grown from a seed +n11552806 (botany) a plant that completes its entire life cycle within the space of a year +n11552976 (botany) a plant having a life cycle that normally takes two seasons from germination to death to complete; flowering biennials usually bloom and fruit in the second season +n11553240 (botany) a plant lasting for three seasons or more +n11553522 a plant that grows in a moist habitat +n11596108 plants of the class Gymnospermae having seeds not enclosed in an ovary +n11597657 small tropical tree with tiered branches and divaricate branchlets having broad glossy dark green leaves; exploited for its edible young leaves and seeds that provide a fine flour +n11598287 a shrub that is cultivated by Arabs for its leaves which are chewed or used to make tea +n11598686 jointed and nearly leafless desert shrub having reduced scalelike leaves and reddish fleshy seeds +n11598886 Chinese ephedra yielding ephedrine +n11599324 curious plant of arid regions of southwestern Africa having a yard-high and yard-wide trunk like a turnip with a deep taproot and two large persistent woody straplike leaves growing from the base; living relic of a flora long disappeared; some may be 700-5000 years old +n11600372 any tropical gymnosperm of the order Cycadales; having unbranched stems with a crown of fernlike leaves +n11601177 dwarf palmlike cycad of Japan that yields sago +n11601333 southeastern Indian cycad with palmlike foliage +n11601918 any of various cycads of the genus Zamia; among the smallest and most verdant cycads +n11602091 small tough woody zamia of Florida and West Indies and Cuba; roots and half-buried stems yield an arrowroot +n11602478 a small cycad of the genus Ceratozamia having a short scaly woody trunk and fernlike foliage and woody cones; Mexico +n11602873 any cycad of the genus Dioon; handsome palmlike cycads with robust crowns of leaves and rugged trunks +n11603246 any of numerous cycads of the genus Encephalartos having stout cylindrical trunks and a terminal crown of long often spiny pinnate leaves +n11603462 South African cycad; the farinaceous pith of the fruit used as food +n11603835 any treelike cycad of the genus Macrozamia having erect trunks and pinnate leaves and large cones with sometimes edible nuts; Australia +n11604046 large attractive palmlike evergreen cycad of New South Wales +n11608250 a coniferous tree +n11609475 any of several low-growing pines of western North America +n11609684 any of several pinons bearing edible nutlike seeds +n11609862 a small two-needled or three-needled pinon of Mexico and southern Texas +n11610047 small compact two-needled pinon of southwestern United States; important as a nut pine +n11610215 pinon of southwestern United States having solitary needles and often many stems; important as a nut pine +n11610437 two-needled or three-needled pinon mostly of northwestern California coast +n11610602 very small tree similar to Rocky mountain pinon but having a single needle per fascicle; similar to Parry's pinyon in range +n11610823 five-needled pinon of southern California and northern Baja California having (sometimes three-needled or four-needled showing hybridization from Pinus californiarum) +n11611087 large two-needled pine of southeastern United States with light soft wood +n11611233 large two-needled timber pine of southeastern Europe +n11611356 large three-needled pine of the eastern United States and southeastern Canada; closely related to the pond pine +n11611561 large three-needled pine of sandy swamps of southeastern United States; needles longer than those of the northern pitch pine +n11611758 medium-sized two-needled pine of southern Europe having a spreading crown; widely cultivated for its sweet seeds that resemble almonds +n11612018 large five-needled European pine; yields cembra nuts and a resinous exudate +n11612235 the seed of the Swiss pine +n11612349 low shrubby pine of central Europe with short bright green needles in bunches of two +n11612575 small slow-growing pine of western United States similar to the bristlecone pine; chocolate brown bark in plates and short needles in bunches of 5; crown conic but becoming rough and twisted; oldest plant in the world growing to 5000 years in cold semidesert mountain tops +n11612923 any of several five-needled pines with white wood and smooth usually light grey bark when young; especially the eastern white pine +n11613219 tall-growing pine of eastern North America; bark is brown with longitudinal fissures when mature; valued as a timber tree +n11613459 tall pine of western North America with stout blue-green needles; bark is grey-brown with rectangular plates when mature +n11613692 medium-size pine of northwestern Mexico; bark is dark brown and furrowed when mature +n11613867 western North American pine with long needles and very flexible limbs and dark-grey furrowed bark +n11614039 small pine of western North America; having smooth grey-white bark and soft brittle wood; similar to limber pine +n11614250 any of various pines having yellow wood +n11614420 common and widely distributed tall timber pine of western North America having dark green needles in bunches of 2 to 5 and thick bark with dark brown plates when mature +n11614713 tall symmetrical pine of western North America having long blue-green needles in bunches of 3 and elongated cones on spreading somewhat pendulous branches; sometimes classified as a variety of ponderosa pine +n11615026 shrubby two-needled pine of coastal northwestern United States; red to yellow-brown bark fissured into small squares +n11615259 tall subspecies of lodgepole pine +n11615387 tall spreading three-needled pine of southeastern United States having reddish-brown fissured bark and a full bushy upper head +n11615607 slender medium-sized two-needled pine of eastern North America; with yellow-green needles and scaly grey to red-brown fissured bark +n11615812 any of several pines that prefer or endure moist situations such as loblolly pine or longleaf pine +n11615967 large three-needled pine of southeastern United States having very long needles and gnarled twisted limbs; bark is red-brown deeply ridged; an important timber tree +n11616260 large pine of southern United States having short needles in bunches of 2-3 and red-brown bark when mature +n11616486 pine of eastern North America having long needles in bunches of two and reddish bark +n11616662 medium large two-needled pine of northern Europe and Asia having flaking red-brown bark +n11616852 common small shrubby pine of the eastern United States having straggling often twisted or branches and short needles in bunches of 2 +n11617090 tall California pine with long needles in bunches of 3, a dense crown, and dark brown deeply fissured bark +n11617272 small slow-growing upland pine of western United States (Rocky Mountains) having dense branches with fissured rust-brown bark and short needles in bunches of 5 and thorn-tipped cone scales; among the oldest living things some over 4500 years old +n11617631 a small two-needled upland pine of the eastern United States (Appalachians) having dark brown flaking bark and thorn-tipped cone scales +n11617878 medium-sized three-needled pine of the Pacific coast of the United States having a prominent knob on each scale of the cone +n11618079 pine native to Japan and Korea having a wide-spreading irregular crown when mature; grown as an ornamental +n11618290 large Japanese ornamental having long needles in bunches of 2; widely planted in United States because of its resistance to salt and smog +n11618525 medium-sized five-needled pine of southwestern California having long cylindrical cones +n11618861 any of numerous conifers of the genus Larix all having deciduous needlelike leaves +n11619227 medium-sized larch of Canada and northern United States including Alaska having a broad conic crown and rust-brown scaly bark +n11619455 tall larch of western North America have pale green sharply pointed leaves and oblong cones; an important timber tree +n11619687 medium-sized larch of the Rocky Mountains; closely related to Larix occidentalis +n11619845 tall European tree having a slender conic crown, flat needlelike leaves, and hairy cone scales +n11620016 medium-sized larch of northeastern Russia and Siberia having narrowly conic crown and soft narrow bright-green leaves; used in cultivation +n11620389 Chinese deciduous conifer resembling a larch with golden yellow leaves +n11620673 any of various evergreen trees of the genus Abies; chiefly of upland areas +n11621029 any of various true firs having leaves white or silvery white beneath +n11621281 medium to tall fir of western North America having a conic crown and branches in tiers; leaves smell of orange when crushed +n11621547 tall timber tree of central and southern Europe having a regular crown and grey bark +n11621727 medium to tall fir of central to western United States having a narrow erect crown and soft wood +n11621950 medium-sized fir of northeastern North America; leaves smell of balsam when crushed; much used for pulpwood and Christmas trees +n11622184 small fast-growing but short-lived fir of southern Alleghenies similar to balsam fir but with very short leaves +n11622368 lofty fir of the Pacific coast of northwestern America having long curving branches and deep green leaves +n11622591 medium-tall timber tree of the Rocky Mountains having a narrowly conic to columnar crown +n11622771 a pyramidal fir of southwestern California having spiny pointed leaves and cone scales with long spines +n11623105 any cedar of the genus Cedrus +n11623815 cedar of Lebanon and northwestern Syria that attains great age and height +n11623967 tall East Indian cedar having spreading branches with nodding tips; highly valued for its appearance as well as its timber +n11624192 tall Algerian evergreen of Atlas mountains with blue-green leaves; widely planted as an ornamental +n11624531 any coniferous tree of the genus Picea +n11625003 tall pyramidal spruce native to northern Europe having dark green foliage on spreading branches with pendulous branchlets and long pendulous cones +n11625223 medium-sized spruce of California and Oregon having pendulous branches +n11625391 tall spruce of Rocky Mountains and British Columbia with blue-green needles and acutely conic crown; wood used for rough lumber and boxes +n11625632 medium-sized spruce of northeastern North America having short blue-green leaves and slender cones +n11625804 small spruce of boggy areas of northeastern North America having spreading branches with dense foliage; inferior wood +n11626010 tall spruce of northern Europe and Asia; resembles Norway spruce +n11626152 a large spruce that grows only along the northwestern coast of the United States and Canada; has sharp stiff needles and thin bark; the wood has a high ratio of strength to weight +n11626409 evergreen tree of the Caucasus and Asia Minor used as an ornamental having pendulous branchlets +n11626585 tall spruce with blue-green needles and dense conic crown; older trees become columnar with lower branches sweeping downward +n11626826 medium-sized spruce of eastern North America; chief lumber spruce of the area; source of pulpwood +n11627168 an evergreen tree +n11627512 common forest tree of the eastern United States and Canada; used especially for pulpwood +n11627714 medium-sized evergreen of southeastern United States having spreading branches and widely diverging cone scales +n11627908 large evergreen of western United States; wood much harder than Canadian hemlock +n11628087 tall evergreen of western North America; commercially important timber tree +n11628456 tall evergreen timber tree of western North America having resinous wood and short needles +n11628793 lofty douglas fir of northwestern North America having short needles and egg-shaped cones +n11629047 douglas fir of California having cones 4-8 inches long +n11629354 Chinese evergreen conifer discovered in 1955; not yet cultivated elsewhere +n11630017 any of numerous trees of the family Cupressaceae that resemble cedars +n11630489 any of numerous evergreen conifers of the genus Cupressus of north temperate regions having dark scalelike leaves and rounded cones +n11631159 small sometimes shrubby tree native to California; often used as an ornamental; in some classification systems includes the pygmy cypress and the Santa Cruz cypress +n11631405 rare small cypress native to northern California; sometimes considered the same species as gowen cypress +n11631619 rare California cypress taller than but closely related to gowen cypress and sometimes considered the same species +n11631854 Arizona timber tree with bluish silvery foliage +n11631985 relatively low wide-spreading endemic on Guadalupe Island; cultivated for its bluish foliage +n11632167 tall California cypress endemic on Monterey Bay; widely used for ornament as well as reforestation and shelterbelt planting +n11632376 tall spreading evergreen found in Mexico having drooping branches; believed to have been introduced into Portugal from Goa +n11632619 tall Eurasian cypress with thin grey bark and ascending branches +n11632929 evergreen of Tasmanian mountains having sharp-pointed leaves that curve inward +n11633284 a small South American evergreen having coppery bark and pretty foliage +n11634736 tall tree of the Pacific coast of North America having foliage like cypress and cinnamon-red bark +n11635152 slow-growing medium-sized cedar of east coast of the United States; resembles American arborvitae +n11635433 large timber tree of western North America with trunk diameter to 12 feet and height to 200 feet +n11635830 tall evergreen of the Pacific coast of North America often cultivated for ornament +n11636204 tall evergreen of Japan and China yielding valuable soft wood +n11636835 berrylike fruit of a plant of the genus Juniperus especially the berrylike cone of the common juniper +n11639084 any of several attractive trees of southwestern South America and New Zealand and New Caledonia having glossy evergreen leaves and scented wood +n11639306 New Zealand timber tree resembling the cypress +n11639445 evergreen tree of New Zealand resembling the kawaka +n11640132 large fast-growing Chinese monoecious tree having flat bright-green deciduous leaves and small globular cones; commonly cultivated in United States as an ornamental; known as a fossil before being discovered in China +n11643835 any of several Asian and North American conifers of the genera Thuja and Thujopsis +n11644046 large valuable arborvitae of northwestern United States +n11644226 small evergreen of eastern North America having tiny scalelike leaves on flattened branchlets +n11644462 Asiatic shrub or small tree widely planted in United States and Europe; in some classifications assigned to its own genus +n11644872 slow-growing medium-large Japanese evergreen used as an ornamental +n11645163 Asiatic conifers resembling firs +n11645590 newly discovered (1994) pine thought to have been long extinct; Australia; genus and species names not yet assigned +n11645914 any of several tall South American or Australian trees with large cones and edible seeds +n11646167 large Chilean evergreen conifer having intertwined branches and bearing edible nuts +n11646344 evergreen of Australia and Norfolk Island in the South Pacific +n11646517 very tall evergreen of New Caledonia and the New Hebrides similar to norfolk island pine +n11646694 Australian conifer bearing two-inch seeds tasting like roasted chestnuts; among the aborigines the tree is hereditary property protected by law +n11646955 pine of Australia and New Guinea; yields a valuable light even-textured wood +n11647306 any of various trees of the genus Agathis; yield dammar resin +n11647703 tall timber tree of New Zealand having white straight-grained wood +n11647868 native to the Moluccas and Philippines; a source of dammar resin +n11648039 Australian timber tree resembling the kauri but having wood much lighter in weight and softer +n11648268 New Zealand tree with glossy leaves and scaly reddish-brown bark +n11648776 any of several evergreen trees and shrubs of eastern Asia resembling yew and having large seeds enclosed in a fleshy envelope; sometimes cultivated as ornamentals +n11649150 California evergreen having a fruit resembling a nutmeg but with a strong turpentine flavor +n11649359 rare small evergreen of northern Florida; its glossy green leaves have an unpleasant fetid smell when crushed +n11649878 Australasian evergreen conifer having a graceful head of foliage resembling celery that is composed of phyllodes borne in the axils of scalelike leaves +n11650160 medium tall celery pine of Tasmania +n11650307 medium tall celery pine of New Zealand +n11650430 small shrubby celery pine of New Zealand +n11650558 any of various trees having yellowish wood or yielding a yellow extract +n11650759 any of various gymnospermous trees having yellow wood +n11652039 any evergreen in the southern hemisphere of the genus Podocarpus having a pulpy fruit with one hard seed +n11652217 West Indian evergreen with medium to long leaves +n11652376 large Australian tree with straight-grained yellow wood that turns brown on exposure +n11652578 South African tree or shrub having a rounded crown +n11652753 erect or shrubby tree of Africa having ridged dark grey bark and rigid glossy medium to long leaves +n11652966 low wide-spreading coniferous shrub of New Zealand mountains +n11653126 valuable timber tree of New Zealand yielding hard reddish wood used for furniture and bridges and wharves +n11653570 medium-sized tree of South Africa +n11653904 New Zealand evergreen valued for its light easily worked wood +n11654293 tall New Zealand timber tree +n11654438 New Zealand silver pine of conical habit with long slender flexuous branches; adapted to cold wet summers and high altitudes +n11654984 small tropical rain forest tree of Indonesia and Malaysia +n11655152 a rain forest tree or shrub of New Caledonia having a conic crown and pale green sickle-shaped leaves; host species for the rare parasite yew +n11655592 New Zealand shrub +n11655974 timber tree of New Zealand having shiny white wood +n11656123 Tasmanian timber tree with yellow aromatic wavy-grained wood used for carving and ship building; sometimes placed in genus Dacrydium +n11656549 about the hardiest Podocarpaceae species; prostrate spreading shrub similar to mountain rimu; mountains of southern Chile +n11656771 low-growing to prostrate shrub with slender trailing branches; New Zealand +n11657585 medium-sized tree having glossy lanceolate leaves; southern China to Taiwan and southern Japan +n11658331 New Zealand conifer used for lumber; the dark wood is used for interior carpentry +n11658544 conifer of Australia and New Zealand +n11658709 South American evergreen tree or shrub +n11659248 small yew having attractive foliage and partially weeping branches cultivated as an ornamental; mountains of southern Chile +n11659627 a large fast-growing monoecious tropical evergreen tree having large glossy lanceolate leaves; of rain forests of Sumatra and Philippines to northern Queensland +n11660300 tall evergreen having a symmetrical spreading crown and needles growing in whorls that resemble umbrellas at ends of twigs +n11661372 any of numerous evergreen trees or shrubs having red cup-shaped berries and flattened needlelike leaves +n11661909 predominant yew in Europe; extraordinarily long-lived and slow growing; one of the oldest species in the world +n11662128 small or medium irregularly branched tree of the Pacific coast of North America; yields fine hard close-grained wood +n11662371 shrubby hardy evergreen of China and Japan having lustrous dark green foliage; cultivated in the eastern United States +n11662585 small bushy yew of northern Florida having spreading branches and very narrow leaves +n11662937 large yew native to New Caledonia; cultivated in eastern Australia and New Zealand and Hawaii +n11663263 yew of southeastern China, differing from the Old World yew in having white berries +n11664418 deciduous dioecious Chinese tree having fan-shaped leaves and fleshy yellow seeds; exists almost exclusively in cultivation especially as an ornamental street tree +n11665372 plants having seeds in a closed ovary +n11666854 flowering plant with two cotyledons; the stem grows by deposit on its outside +n11668117 a monocotyledonous flowering plant; the stem grows by deposits on its inside +n11669786 a diminutive flower (especially one that is part of a composite flower) +n11669921 a plant cultivated for its blooms or blossoms +n11672269 a flower that blooms in a particular way +n11672400 wild or uncultivated flowering plant +n11674019 flower having no petals +n11674332 the flowering part of a plant or arrangement of flowers on a stalk +n11675025 the bud of a rose +n11675404 the crown of the stamen in plants of the genus Asclepias +n11675738 a coherent mass of pollen grains (as in orchids) +n11676500 the female ovule-bearing part of a flower composed of ovary and style and stigma +n11676743 the enlarged receptacle in which the pistil is borne +n11676850 the stalk of a pistil that raises it above the receptacle +n11677485 an enlargement at the base of the style in some Umbelliferae +n11677902 a slender stalk that furnishes an axis for a carpel +n11678010 the stalk of a corn plant +n11678299 the stalk of a leaflet +n11678377 a carpel with one seed; one of a pair split apart at maturity +n11679378 minute opening in the wall of an ovule through which the pollen tube enters +n11680457 (botany) a slender tubular outgrowth from a spore in germination +n11680596 (botany) a slender tubular outgrowth from a pollen grain when deposited on the stigma for a flower; it penetrates the style and conveys the male gametes to the ovule +n11682659 small asexual reproductive structure in e.g. liverworts and mosses that detaches from the parent and develops into a new individual +n11683216 the seed-producing cone of a cypress tree +n11683838 a gland (often a protuberance or depression) that secretes nectar +n11684264 the ripened and variously modified walls of a plant ovary +n11684499 outermost layer of the pericarp of fruits as the skin of a peach or grape +n11684654 the middle layer of a pericarp +n11685091 a small hard seed found in some fruits +n11685621 narrow elongated seed capsule peculiar to the family Cruciferae +n11686195 a reduced or scarcely developed leaf at the start of a plant's life (i.e., cotyledons) or in the early stages of leaf development +n11686652 the nutritive tissue outside the sac containing the embryo in some seeds +n11686780 a plant that bears fruit once and dies +n11686912 the spore-producing individual or phase in the life cycle of a plant having alternation of generations +n11687071 the gamete-bearing individual or phase in the life cycle of a plant having alternation of generations +n11687432 a plant structure that produces megaspores +n11687789 smaller of the two types of spore produced in heterosporous plants; develops in the pollen sac into a male gametophyte +n11687964 a plant structure that produces microspores +n11688069 in non-flowering plants, a sporophyll that bears only microsporangia +n11688378 primitive cell or group of cells from which a mother cell develops +n11689197 hard shiny grey seed of a bonduc tree; used for making e.g. jewelry +n11689367 hard pearly seeds of an Asiatic grass; often used as beads +n11689483 any of several seeds that yield oil +n11689678 the toxic seed of the castor-oil plant; source of castor oil +n11689815 seed of cotton plants; source of cottonseed oil +n11689957 seed of candlenut tree; source of soil used in varnishes +n11690088 the stone seed of a peach +n11690254 the cuplike or ringlike or tubular structure of a flower which bears the sepals and stamens and calyx (as in Rosaceae) +n11690455 part of the perianth that is usually brightly colored +n11691046 (botany) the whorl of petals of a flower that collectively form an inner floral envelope or layer of the perianth +n11691857 (botany) either of the two parts of a bilabiate corolla or calyx +n11692265 collective term for the outer parts of a flower consisting of the calyx and corolla and enclosing the stamens and pistils +n11692792 pappus of a thistle consisting of silky featherlike hairs attached to the seed-like fruit of a thistle +n11693981 any of several tropical American trees bearing fruit with soft edible pulp +n11694300 small tropical American tree bearing round or oblong fruit +n11694469 tropical American tree grown in southern United States having a whitish pink-tinged fruit +n11694664 small tropical American tree bearing large succulent slightly acid fruit +n11694866 small tropical American tree bearing a bristly heart-shaped acid tropical fruit +n11695085 tropical American tree bearing sweet pulpy fruit with thick scaly rind and shiny black seeds +n11695285 small evergreen tree of tropical America with edible fruit; used chiefly as grafting stock +n11695599 small tree native to the eastern United States having oblong leaves and fleshy fruit +n11695974 evergreen Asian tree with aromatic greenish-yellow flowers yielding a volatile oil; widely grown in the tropics as an ornamental +n11696450 source of most of the lancewood of commerce +n11696935 tropical west African evergreen tree bearing pungent aromatic seeds used as a condiment and in folk medicine +n11697560 any of numerous plants of the genus Berberis having prickly stems and yellow flowers followed by small red berries +n11697802 deciduous shrub of eastern North America whose leaves turn scarlet in autumn and having racemes of yellow flowers followed by ellipsoid glossy red berries +n11698042 upright deciduous European shrub widely naturalized in United States having clusters of juicy berries +n11698245 compact deciduous shrub having persistent red berries; widespread in cultivation especially for hedges +n11699442 ornamental evergreen shrub of Pacific coast of North America having dark green pinnate leaves and racemes of yellow flowers followed by blue-black berries +n11699751 small shrub with grey-green leaves and yellow flowers followed by glaucous blue berries +n11700058 North American herb with poisonous root stock and edible though insipid fruit +n11700279 edible but insipid fruit of the May apple plant +n11700864 deciduous shrubs having aromatic bark; eastern China; southwestern and eastern United States +n11701066 hardy shrub of southeastern United States having clove-scented wood and fragrant red-brown flowers +n11701302 straggling aromatic shrub of southwestern United States having fragrant brown flowers +n11702713 rapidly growing deciduous tree of low mountainsides of China and Japan; grown as an ornamental for its dark blue-green candy-scented foliage that becomes yellow to scarlet in autumn +n11703669 any of various aromatic trees of the laurel family +n11704093 small Mediterranean evergreen tree with small blackish berries and glossy aromatic leaves used for flavoring in cooking; also used by ancient Greeks to crown victors +n11704620 large evergreen tree of warm regions whose aromatic wood yields camphor +n11704791 tropical Asian tree with aromatic yellowish-brown bark; source of the spice cinnamon +n11705171 Chinese tree with aromatic bark; yields a less desirable cinnamon than Ceylon cinnamon +n11705387 aromatic bark of the cassia-bark tree; less desirable as a spice than Ceylon cinnamon bark +n11705573 tropical southeast Asian tree with aromatic bark; yields a bark used medicinally +n11705776 aromatic bark of Saigon cinnamon used medicinally as a carminative +n11706325 deciduous shrub of the eastern United States having highly aromatic leaves and bark and yellow flowers followed by scarlet or yellow berries +n11706761 tropical American tree bearing large pulpy green fruits +n11706942 small tree of southern United States having dark red heartwood +n11707229 yellowwood tree with brittle wood and aromatic leaves and bark; source of sassafras oil; widely distributed in eastern North America +n11707827 Pacific coast tree having aromatic foliage and small umbellate flowers followed by olivelike fruit; yields a hard tough wood +n11708658 any of several evergreen shrubs and small trees of the genus Illicium +n11708857 small shrubby tree with purple flowers; found in wet soils of southeastern United States +n11709045 small shrubby tree of Japan and Taiwan; flowers are not fragrant +n11709205 small tree of China and Vietnam bearing anise-scented star-shaped fruit used in food and medicinally as a carminative +n11709674 any shrub or tree of the genus Magnolia; valued for their longevity and exquisite fragrant blooms +n11710136 evergreen tree of southern United States having large stiff glossy leaves and huge white sweet-smelling flowers +n11710393 small deciduous tree of eastern North America having creamy white flowers and large leaves in formations like umbrellas at the ends of branches +n11710658 small erect deciduous tree with large leaves in coiled formations at branch tips +n11710827 American deciduous magnolia having large leaves and fruit like a small cucumber +n11710987 large deciduous shrub or tree of southeastern United States having huge leaves in dense false whorls and large creamy flowers tinged purple toward the base +n11711289 large deciduous shrub or small tree having large open rosy to purplish flowers; native to Asia; prized as an ornamental in eastern North America +n11711537 deciduous shrubby magnolia from Japan having fragrant white starlike flowers blooming before leaves unfold; grown as an ornamental in United States +n11711764 shrub or small tree having rather small fragrant white flowers; abundant in southeastern United States +n11711971 a genus of flowering tree of the family Magnoliaceae found from Malay to southern China +n11712282 tall North American deciduous timber tree having large tulip-shaped greenish yellow flowers and conelike fruit; yields soft white woods used especially for cabinet work +n11713164 plant of the family Menispermaceae having red or black fruit with crescent- or ring-shaped seeds +n11713370 a woody vine of eastern North America having large oval leaves and small white flowers and purple to blue-black fruits +n11713763 woody vine of southeastern United States resembling the common moonseed but having red fruits +n11714382 East Indian tree widely cultivated in the tropics for its aromatic seed; source of two spices: nutmeg and mace +n11715430 a water lily having large leaves and showy fragrant flowers that float on the water; of temperate and tropical regions +n11715678 a water lily with white flowers +n11716698 of flowing waters of the southeastern United States; may form obstructive mats in streams +n11717399 native to eastern Asia; widely cultivated for its large pink or white flowers +n11717577 water lily of eastern North America having pale yellow blossoms and edible globular nutlike seeds +n11718296 common aquatic plant of eastern North America having floating and submerged leaves and white yellow-spotted flowers +n11718681 aquatic plant with floating oval leaves and purple flowers; in lakes and slow-moving streams; suitable for aquariums +n11719286 any of numerous plants widely cultivated for their showy single or double red or pink or white flowers +n11720353 any of various plants of the genus Ranunculus +n11720643 perennial European buttercup with yellow spring flowers widely naturalized especially in eastern North America +n11720891 plant of ponds and slow streams having submerged and floating leaves and white flowers; Europe and North America +n11721337 perennial herb native to Europe but naturalized elsewhere having heart-shaped leaves and yellow flowers resembling buttercups; its tuberous roots have been used as a poultice to relieve piles +n11721642 semiaquatic Eurasian perennial crowfoot with leaves shaped like spears; naturalized in New Zealand +n11722036 semiaquatic European crowfoot with leaves shaped like spears +n11722342 perennial of western North America +n11722466 perennial European herb with long creeping stolons +n11722621 annual herb growing in marshy places +n11722982 any of various usually poisonous plants of the genus Aconitum having tuberous roots and palmately lobed leaves and blue or white flowers +n11723227 a poisonous herb native to northern Europe having hooded blue-purple flowers; the dried leaves and roots yield aconite +n11723452 poisonous Eurasian perennial herb with broad rounded leaves and yellow flowers and fibrous rootstock +n11723770 a plant of the genus Actaea having acrid poisonous berries +n11723986 a poisonous berry of a plant of the genus Actaea +n11724109 North American perennial herb with alternately compound leaves and racemes of small white flowers followed by bright red oval poisonous berries +n11724660 Eurasian herb cultivated for its deep red flowers with dark centers +n11725015 any woodland plant of the genus Anemone grown for its beautiful flowers and whorls of dissected leaves +n11725311 silky-foliaged herb of the Rocky Mountains with bluish-white flowers +n11725480 common summer-flowering woodland herb of Labrador to Colorado +n11725623 a common North American anemone with cylindrical fruit clusters resembling thimbles +n11725821 European anemone with solitary white flowers common in deciduous woodlands +n11725973 common anemone of eastern North America with solitary pink-tinged white flowers +n11726145 thimbleweed of northern North America +n11726269 Eurasian herb with solitary nodding fragrant white flowers +n11726433 thimbleweed of central and eastern North America +n11726707 woodland flower native to eastern North America having cup-shaped flowers reminiscent of anemone but more delicate +n11727091 a plant of the genus Aquilegia having irregular showy spurred flowers; north temperate regions especially mountains +n11727358 columbine of eastern North America having long-spurred red flowers +n11727540 columbine of the Rocky Mountains having long-spurred blue flowers +n11727738 common European columbine having variously colored (white or blue to purple or red) short-spurred flowers; naturalized in United States +n11728099 swamp plant of Europe and North America having bright yellow flowers resembling buttercups +n11728769 bugbane of the eastern United States having erect racemes of white flowers +n11728945 North American bugbane found from Maine and Ontario to Wisconsin and south to Georgia +n11729142 bugbane of Siberia and eastern Asia having ill-smelling green-white flowers +n11729478 any of various ornamental climbing plants of the genus Clematis usually having showy flowers +n11729860 erect clematis of Florida having pink to purple flowers +n11730015 climber of southern United States having bluish-purple flowers +n11730458 Chinese clematis with serrate leaves and large yellow flowers +n11730602 woody vine of Texas having showy solitary nodding scarlet flowers +n11730750 woody vine of the southern United States having purple or blue flowers with leathery recurved sepals +n11730933 scandent subshrub of southeastern United States having large red-purple bell-shaped flowers with leathery recurved sepals +n11731157 common climber of eastern North America that sprawls over other plants and bears numerous panicles of small creamy white flowers +n11731659 climber of northeastern North America having waxy purplish-blue flowers +n11732052 low-growing perennial of North America woodlands having trifoliate leaves and yellow rootstock and white flowers +n11732567 commonly cultivated larkspur of southern Europe having unbranched spikelike racemes of blue or sometimes purplish or pinkish flowers; sometime placed in genus Delphinium +n11733054 any plant of the genus Delphinium having palmately divided leaves and showy spikes of variously colored spurred flowers; some contain extremely poisonous substances +n11733312 any of numerous cultivated plants of the genus Delphinium +n11733548 small Old World perennial herb grown for its bright yellow flowers which appear in early spring often before snow is gone +n11734493 slightly hairy perennial having deep green leathery leaves and flowers that are ultimately purplish-green +n11734698 deciduous plant with large deep green pedate leaves and nodding saucer-shaped green flowers +n11735053 any of several plants of the genus Hepatica having three-lobed leaves and white or pinkish flowers in early spring; of moist and mossy subalpine woodland areas of north temperate regions +n11735570 perennial herb of northeastern United States having a thick knotted yellow rootstock and large rounded leaves +n11735977 slender erect perennial of eastern North America having tuberous roots and pink-tinged white flowers; resembles meadow rue +n11736362 spectacular perennial native of wet montane grasslands of Peru; formerly included in genus Ranunculus +n11736694 any plant of the genus Nigella +n11736851 European garden plant having finely cut leaves and white or pale blue flowers +n11737009 nigella of Spain and southern France +n11737125 herb of the Mediterranean region having pungent seeds used like those of caraway +n11737534 any plant of the genus Pulsatilla; sometimes included in genus Anemone +n11738547 any of various herbs of the genus Thalictrum; sometimes rhizomatous or tuberous perennials found in damp shady places and meadows or stream banks; have lacy foliage and clouds of small purple or yellow flowers +n11738997 tall perennial of the eastern United States having large basal leaves and white summer flowers +n11739365 any of several plants of the genus Trollius having globose yellow flowers +n11739978 South American evergreen tree yielding winter's bark and a light soft wood similar to basswood +n11740414 evergreen shrub or small tree whose foliage is conspicuously blotched with red and yellow and having small black fruits +n11741175 bog shrub of north temperate zone having bitter-tasting fragrant leaves +n11741350 any shrub or small tree of the genus Myrica with aromatic foliage and small wax-coated berries +n11741575 evergreen aromatic shrubby tree of southeastern United States having small hard berries thickly coated with white wax used for candles +n11741797 deciduous aromatic shrub of eastern North America with grey-green wax-coated berries +n11742310 deciduous shrub of eastern North America with sweet scented fernlike leaves and tiny white flowers +n11742878 very small deciduous dioecious tree or shrub of damp habitats in southeastern United States having extremely light wood +n11744011 rush of Australia +n11744108 low-growing annual rush of damp low-lying ground; nearly cosmopolitan +n11744471 tufted wiry rush of wide distribution +n11745817 any of various trees or shrubs having mottled or striped wood +n11746600 tropical American and east African tree with strikingly marked hardwood used in cabinetwork +n11747468 an erect or climbing bean or pea plant of the family Leguminosae +n11748002 the fruit or seed of any of various bean or pea plants consisting of a case that splits along both sides when ripe and having the seeds attach to one side of the case +n11748811 underground pod of the peanut vine +n11749112 West Indian tree yielding a fine grade of green ebony +n11749603 Brazilian tree with handsomely marked wood +n11750173 fragrant black nutlike seeds of the tonka bean tree; used in perfumes and medicines and as a substitute for vanilla +n11750508 West Indian locust tree having pinnate leaves and panicles of large white or purplish flowers; yields very hard tough wood +n11750989 erect annual or biennial plant grown extensively especially for hay and soil improvement +n11751765 either of two Australian plants of the genus Swainsona that are poisonous to sheep +n11751974 erect or trailing perennial of eastern Australia having axillary racemes of blue to purple or red flowers +n11752578 a plant of the genus Trifolium +n11752798 European mountain clover with fragrant usually pink flowers +n11752937 clover native to Ireland with yellowish flowers; often considered the true or original shamrock +n11753143 southern European annual with spiky heads of crimson flower; extensively cultivated in United States for forage +n11753355 erect to decumbent short-lived perennial having red-purple to pink flowers; the most commonly grown forage clover +n11753562 clover of western United States +n11753700 creeping European clover having white to pink flowers and bright green leaves; naturalized in United States; widely grown for forage +n11754893 any of various tropical shrubs or trees of the genus Mimosa having usually yellow flowers and compound leaves +n11756092 any of various spiny trees or shrubs of the genus Acacia +n11756329 source of a wood mentioned frequently in the Bible; probably a species of genus Acacia +n11756669 any of various Australasian trees yielding slender poles suitable for wattle +n11756870 Australian tree that yields tanning materials +n11757017 scrubby Australian acacia having extremely foul-smelling blossoms +n11757190 East Indian spiny tree having twice-pinnate leaves and yellow flowers followed by flat pods; source of black catechu +n11757653 evergreen Australasian tree having white or silvery bark and young leaves and yellow flowers +n11757851 tropical American thorny shrub or small tree; fragrant yellow flowers used in making perfumery +n11758122 tall Australian acacia yielding highly valued black timber +n11758276 shrubby Australian tree having clusters of fragrant golden yellow flowers; widely cultivated as an ornamental +n11758483 African tree supposed to mark healthful regions +n11758799 East Indian tree with racemes of yellow-white flowers; cultivated as an ornamental +n11759224 any of numerous trees of the genus Albizia +n11759404 attractive domed or flat-topped Asiatic tree having bipinnate leaves and flowers with long silky stamens +n11759609 large spreading Old World tree having large leaves and globose clusters of greenish-yellow flowers and long seed pods that clatter in the wind +n11759853 large ornamental tropical American tree with bipinnate leaves and globose clusters of flowers with crimson stamens and seed pods that are eaten by cattle +n11760785 any of various shrubs and small trees valued for their fine foliage and attractive spreading habit and clustered white to deep pink or red flowers +n11761202 tropical South American tree having a wide-spreading crown of bipinnate leaves and coiled ear-shaped fruits; grown for shade and ornament as well as valuable timber +n11761650 any tree or shrub of the genus Inga having pinnate leaves and showy usually white flowers; cultivated as ornamentals +n11761836 ornamental evergreen tree with masses of white flowers; tropical and subtropical America +n11762018 tropical tree of Central America and West Indies and Puerto Rico having spikes of white flowers; used as shade for coffee plantations +n11762433 low scrubby tree of tropical and subtropical North America having white flowers tinged with yellow resembling mimosa and long flattened pods +n11762927 a tree of the West Indies and Florida and Mexico; resembles tamarind and has long flat pods +n11763142 West Indian tree yielding a hard dark brown wood resembling mahogany in texture and value +n11763625 any of several Old World tropical trees of the genus Parkia having heads of red or yellow flowers followed by pods usually containing edible seeds and pulp +n11763874 tall evergreen rain forest tree with wide-spreading crown having yellow-white flowers; grown as an ornamental in parks and large gardens +n11764478 common thorny tropical American tree having terminal racemes of yellow flowers followed by sickle-shaped or circinate edible pods and yielding good timber and a yellow dye and mucilaginous gum +n11764814 erect shrub with small if any spines having racemes of white to yellow flowers followed by curved pointed pods and black shiny seeds; West Indies and Florida +n11765568 thorny deep-rooted drought-resistant shrub native to southwestern United States and Mexico bearing pods rich in sugar and important as livestock feed; tends to form extensive thickets +n11766046 mesquite pod used in tanning and dyeing +n11766189 shrub or small tree of southwestern United States and northwestern Mexico having spirally twisted pods +n11766432 spirally twisted sweet pod of screwbean mesquite that is used for fodder or ground into meal for feed +n11767354 any of several poisonous perennial plants of the genus Apocynum having acrid milky juice and bell-shaped white or pink flowers and a very bitter root +n11767877 Canadian dogbane yielding a tough fiber used as cordage by Native Americans; used in folk medicine for pain or inflammation in joints +n11768816 evergreen shrub or tree of South Africa +n11769176 South African shrub having a swollen succulent stem and bearing showy pink and white flowers after the leaves fall; popular as an ornamental in tropics +n11769621 a plant of the genus Allamanda having large showy funnel-shaped flowers in terminal cymes +n11769803 vigorous evergreen climbing plant of South America having glossy leathery foliage and golden yellow flowers +n11770256 evergreen tree of eastern Asia and Philippines having large leathery leaves and small green-white flowers in compact cymes; bark formerly used medicinally +n11771147 evergreen woody twiner with large glossy leaves and showy corymbs of fragrant white trumpet-shaped flowers +n11771539 a shrub of the genus Carissa having fragrant white flowers and plumlike red to purple-black fruits +n11771746 South African shrub having forked spines and plumlike fruit; frequently used as hedging +n11771924 very large closely branched South African shrub having forked bright green spines and shiny leaves +n11772408 commonly cultivated Old World woody herb having large pinkish to red flowers +n11772879 tropical Asian tree with hard white wood and bark formerly used as a remedy for dysentery and diarrhea +n11773408 shrubby climber having glossy leaves and white funnel-shaped flowers with yellow throats +n11773628 woody vine of Argentina grown as an ornamental for its glossy leaves and racemes of large fragrant funnel-shaped creamy-white flowers +n11773987 an ornamental but poisonous flowering shrub having narrow evergreen leaves and clusters of fragrant white to pink or red flowers: native to East Indies but widely cultivated in warm regions +n11774513 any of various tropical American deciduous shrubs or trees of the genus Plumeria having milky sap and showy fragrant funnel-shaped variously colored flowers +n11774972 tall sparingly branched conical tree having large fragrant yellow flowers with white centers +n11775340 any shrub or small tree of the genus Rauwolfia having leaves in whorls and cymose flowers; yield substances used medicinally especially as emetics or purgatives or antihypertensives +n11775626 East Indian climbing shrub with twisted limbs and roots resembling serpents +n11776234 plant that is a source of strophanthin +n11777080 tropical American shrub or small tree having glossy dark green leaves and fragrant saffron yellow to orange or peach- colored flowers; all parts highly poisonous +n11778092 widely cultivated as a groundcover for its dark green shiny leaves and usually blue-violet flowers +n11778257 plant having variegated foliage and used for window boxes +n11779300 any plant of the family Araceae; have small flowers massed on a spadix surrounded by a large spathe +n11780148 common European arum with lanceolate spathe and short purple spadix; emerges in early spring; source of a starch called arum +n11780424 ornamental plant of Middle East cultivated for its dark purple spathe +n11781176 the aromatic root of the sweet flag used medicinally +n11782036 any plant of the genus Alocasia having large showy basal leaves and boat-shaped spathe and reddish berries +n11782266 large evergreen with extremely large erect or spreading leaves; cultivated widely in tropics for its edible rhizome and shoots; used in wet warm regions as a stately ornamental +n11782761 any plant of the genus Amorphophallus +n11782878 putrid-smelling aroid of southeastern Asia (especially the Philippines) grown for its edible tuber +n11783162 foul-smelling somewhat fleshy tropical plant of southeastern Asia cultivated for its edible corms or in the greenhouse for its large leaves and showy dark red spathe surrounding a large spadix +n11783920 any of various tropical American plants cultivated for their showy foliage and flowers +n11784126 commonly cultivated anthurium having bright scarlet spathe and spadix +n11784497 common American spring-flowering woodland herb having sheathing leaves and an upright club-shaped spadix with overarching green and purple spathe producing scarlet berries +n11785276 tuberous perennial having a cowl-shaped maroon or violet-black spathe; Mediterranean; Canaries; Azores +n11785668 any plant of the genus Caladium cultivated for their ornamental foliage variously patterned in white or pink or red +n11785875 most popular caladium; cultivated in many varieties since the late 19th century +n11786131 plant of wetlands and bogs of temperate regions having small greenish flowers partly enclosed in a white spathe and red berries +n11786539 herb of the Pacific islands grown throughout the tropics for its edible root and in temperate areas as an ornamental for its large glossy leaves +n11786843 edible starchy tuberous root of taro plants +n11787190 any plant of the genus Cryptocoryne; evergreen perennials growing in fresh or brackish water; tropical Asia +n11788039 any plant of the genus Dracontium; strongly malodorous tropical American plants usually with gigantic leaves +n11788727 evergreen liana widely cultivated for its variegated foliage +n11789066 clump-forming deciduous perennial swamp plant of western North America similar to Symplocarpus foetidus but having a yellow spathe +n11789438 any plant of the genus Monstera; often grown as houseplants +n11789589 tropical American vine having roots that hang like cords and cylindrical fruit with a pineapple and banana flavor +n11789962 any plant of the genus Nephthytis +n11790089 tropical rhizomatous plant cultivated as an ornamental for its large sagittate leaves +n11790788 an aquatic plant of the genus Peltandra; North America +n11790936 perennial herb of the eastern United States having arrowhead-shaped leaves and an elongate pointed spathe and green berries +n11791341 often grown as a houseplant +n11791569 pantropical floating plant forming a rosette of wedge-shaped leaves; a widespread weed in rivers and lakes +n11792029 any of various tropical lianas of the genus Scindapsus +n11792341 any of various plants of the genus Spathiphyllum having a white or green spathe and a spike of fragrant flowers and often cultivated as an ornamental +n11792742 deciduous perennial low-growing fetid swamp plant of eastern North America having minute flowers enclosed in a mottled greenish or purple cowl-shaped spathe +n11793403 tropical American aroid having edible tubers that are cooked and eaten like yams or potatoes +n11793779 South African plant widely cultivated for its showy pure white spathe and yellow spadix +n11794024 calla having a rose-colored spathe +n11794139 any of several callas of the genus Zantedeschia having yellow spathes +n11794519 any small or minute aquatic plant of the family Lemnaceae that float on or near the surface of shallow ponds +n11795049 of temperate regions except eastern Asia and Australia +n11795216 cosmopolitan in temperate regions except North America +n11795580 cosmopolitan except South America and New Zealand and some oceanic islands +n11796005 any of various aquatic plants of the genus Wolffia; throughout warmer regions of the world +n11796188 smallest flowering plants known; of the Americas +n11797321 any of various plants of the genus Aralia; often aromatic plants having compound leaves and small umbellate flowers +n11797508 small deciduous clump-forming tree or shrub of eastern United States +n11797981 unarmed woody rhizomatous perennial plant distinguished from wild sarsaparilla by more aromatic roots and panicled umbels; southeastern North America to Mexico +n11798270 bristly herb of eastern and central North America having black fruit and medicinal bark +n11798496 deciduous clump-forming Asian shrub or small tree; adventive in the eastern United States +n11798688 similar to American angelica tree but less prickly; China +n11798978 Old World vine with lobed evergreen leaves and black berrylike fruits +n11799331 small roundheaded New Zealand tree having large resinous leaves and panicles of green-white flowers +n11799732 Chinese herb with palmately compound leaves and small greenish flowers and forked aromatic roots believed to have medicinal powers +n11800236 aromatic root of ginseng plants +n11800565 erect evergreen shrub or small tree of Australia and northern New Guinea having palmately compound leaves +n11801392 creeping plant having curving flowers thought to resemble fetuses; native to Europe; naturalized Great Britain and eastern North America +n11801665 hardy deciduous vine having large leaves and flowers with the calyx tube curved like the bowl of a pipe +n11801891 birthwort of the eastern United States woodlands +n11802410 deciduous low-growing perennial of Canada and eastern and central United States +n11802586 evergreen low-growing perennial having mottled green and silvery-grey heart-shaped pungent leaves; Virginia to South Carolina +n11802800 wild ginger having persistent heart-shaped pungent leaves; West Virginia to Alabama +n11802995 thick creeping evergreen herb of western Europe +n11805255 a plant of the family Caryophyllaceae +n11805544 European annual having large trumpet-shaped reddish-purple flowers and poisonous seed; a common weed in grainfields and beside roadways; naturalized in America +n11805956 low-growing chiefly perennial plant usually with small white flowers suitable for e.g. rock gardens +n11806219 boreal or alpine sandwort +n11806369 deep-rooted perennial of southeastern United States +n11806521 perennial succulent herb with small solitary axillary or terminal flowers +n11806679 low perennial tufted plant of southeastern North America +n11806814 Eurasian annual sprawling plant naturalized throughout North America +n11807108 any of various plants related to the common chickweed +n11807525 chickweed with hairy silver-grey leaves and rather large white flowers +n11807696 widespread in the Arctic and on mountains in Europe +n11807979 any of various flowers of plants of the genus Dianthus cultivated for their fragrant flowers +n11808299 Eurasian pink widely cultivated for its flat-topped dense clusters of varicolored flowers +n11808468 Eurasian plant with pink to purple-red spice-scented usually double flowers; widely cultivated in many varieties and many colors +n11808721 Chinese pink with deeply toothed rose-lilac flowers with a purplish eye; usually raised as an annual +n11808932 a flowering variety of China pink distinguished by jagged-edged petals +n11809094 low-growing loosely mat-forming Eurasian pink with a single pale pink flower with a crimson center +n11809271 mat-forming perennial of central Europe with large fragrant pink or red flowers +n11809437 much-branched pink with flowers in clusters; closely related to sweet William +n11809594 European pink cultivated for its very fragrant pink or rosy flowers +n11809754 Eurasian perennial pink having fragrant lilac or rose flowers with deeply fringed margins +n11810030 spiny-leaved perennial herb of southern Europe having terminal clusters of small flowers +n11810358 tall plant with small lance-shaped leaves and numerous tiny white or pink flowers +n11811059 glabrous annual with slender taproot and clusters of white flowers; western Europe especially western Mediterranean and Atlantic coastal areas +n11811473 mostly perennial herbs with sticky stems that catch insects; widespread in north temperate zone +n11811706 common perennial native to Europe and western Asia having usually pink flowers with ragged petals +n11811921 Eurasian garden perennial having scarlet flowers in dense terminal heads +n11812094 an old cottage garden plant of southeastern Europe widely cultivated for its attractive white woolly foliage and showy crimson flowers +n11812910 low-growing herb having clusters of small white four-petaled flowers +n11813077 loosely matted plant with moss-like foliage studded with tiny starry four-petaled white blossoms; mountains of central and southern Europe +n11814584 plant of European origin having pink or white flowers and leaves yielding a detergent when bruised +n11814996 widely distributed low-growing Eurasian herb having narrow leaves and inconspicuous green flowers +n11815491 any plant of the genus Silene +n11815721 tuft- or mat-forming dwarf perennial of Arctic regions of western and central Europe and North America +n11815918 perennial of eastern and central North America having short-stalked pink or white flowers in hairy clusters +n11816121 biennial European catchfly having red or pink flowers; sometimes placed in genus Lychnis +n11816336 bluish-green herb having sticky stems and clusters of large evening-opening white flowers with much-inflated calyx; sometimes placed in genus Lychnis +n11816649 perennial herb of eastern North America, having red flowers with narrow notched petals +n11816829 perennial of Arctic Europe having large white flowers with inflated calyx +n11817160 small European weed with whorled leaves and white flowers +n11817501 prostrate weedy herb with tiny pink flowers; widespread throughout Europe and Asia on sand dunes and heath and coastal cliffs; naturalized in eastern North America +n11817914 any of various plants of the genus Stellaria +n11818069 a common low-growing annual garden weed with small white flowers; cosmopolitan; so-called because it is eaten by chickens +n11818636 European annual with pale rose-colored flowers; cultivated flower or self-sown grainfield weed; introduced in North America; sometimes classified as a soapwort +n11819509 low-growing South African succulent plant having a capsular fruit containing edible pulp +n11819912 low-growing showy succulent annual of South Africa having white or pink or red or orange flowers and spatulate leaves covered in papillae that resemble small crystals +n11820965 any of several South African plants of the genus Mesembryanthemum cultivated for showy pink or white flowers +n11821184 Old World annual widely naturalized in warm regions having white flowers and fleshy foliage covered with hairs that resemble ice +n11822300 coarse sprawling Australasian plant with red or yellow flowers; cultivated for its edible young shoots and succulent leaves +n11823043 any of various plants of the genus Amaranthus having dense plumes of green or red flowers; often cultivated for food +n11823305 seed of amaranth plants used as a native cereal in Central and South America +n11823436 bushy plant of western United States +n11823756 tall showy tropical American annual having hairy stems and long spikes of usually red flowers above leaves deeply flushed with purple; seeds often used as cereal +n11824146 leaves sometimes used as potherbs; seeds used as cereal; southern United States to Central America; India and China +n11824344 erect annual of tropical central Asia and Africa having a pair of divergent spines at most leaf nodes +n11824747 prolific South American aquatic weed having grasslike leaves and short spikes of white flowers; clogs waterways with dense floating masses +n11825351 garden annual with featherlike spikes of red or yellow flowers +n11825749 any of various plants of the genus Froelichia found in sandy soils and on rocky slopes in warmer regions of America; grown for their spikes of woolly white flowers +n11826198 tropical American herb having rose to red or purple flowers that can be dried without losing color +n11826569 any plant of the genus Iresine having colored foliage +n11827541 low-growing strong-smelling coastal shrub of warm parts of the New World having unisexual flowers in conelike spikes and thick succulent leaves +n11828577 common weedy European plant introduced into North America; often used as a potherb +n11828973 European plant naturalized in North America; often collected from the wild as a potherb +n11829205 Eurasian aromatic oak-leaved goosefoot with many yellow-green flowers; naturalized North America +n11829672 annual European plant with spikes of greenish flowers and leaves that are white and hairy on the underside; common as a weed in North America +n11829922 herb considered fatal to swine +n11830045 European annual with coarsely dentate leaves; widespread in United States and southern Canada +n11830252 common Eurasian weed; naturalized in United States +n11830400 European goosefoot with strong-scented foliage; adventive in eastern North America +n11830714 any of various herbaceous plants of the genus Atriplex that thrive in deserts and salt marshes +n11830906 any of various shrubby plants of the genus Atriplex that thrive in dry alkaline soil +n11831100 Asiatic plant resembling spinach often used as a potherb; naturalized in Europe and North America +n11831297 handsome low saltbush of arid southwestern United States and Mexico having blue-green prickly-edged leaves often used for Christmas decoration +n11831521 spiny shrub with silvery-scurfy foliage of alkaline plains of southwestern United States and Mexico +n11832214 biennial Eurasian plant usually having a swollen edible root; widely cultivated as a food crop +n11832480 beet having a massively swollen red root; widely grown for human consumption +n11832671 beet lacking swollen root; grown as a vegetable for its edible leaves and stalks +n11832899 beet with a large yellowish root; grown chiefly as cattle feed +n11833373 bushy annual weed of central North America having greenish flowers and winged seeds +n11833749 a coarse annual herb introduced into North America from Siberia; dangerous to sheep and cattle on western rangelands because of its high oxalate content +n11834272 fleshy maritime plant having fleshy stems with rudimentary scalelike leaves and small spikes of minute flowers; formerly used in making glass +n11834654 bushy plant of Old World salt marshes and sea beaches having prickly leaves; burned to produce a crude soda ash +n11834890 prickly bushy Eurasian plant; a troublesome weed in central and western United States +n11835251 low hardy much-branched spiny shrub common in alkaline soils of western America +n11836327 viscid branched perennial of the southwestern United States and northern Mexico having tuberous roots and deep red flowers +n11836722 any of various plants of the genus Abronia of western North America and Mexico having flowers resembling verbena +n11837204 taller than Abronia elliptica and having night-blooming flowers +n11837351 plant having hemispherical heads of yellow trumpet-shaped flowers; found in coastal dunes from California to British Columbia +n11837562 plant having hemispherical heads of wine-red flowers; found in coastal dunes from California to Mexico +n11837743 prostrate herb having heads of deep pink to white flowers; found in coastal dunes from British Columbia to Baja California +n11837970 soft-haired sticky plant with heads of bright pink trumpet-shaped flowers; found in sandy desert soil; after ample rains may carpet miles of desert with pink from the southwestern United States to northern Mexico +n11838413 trailing plant having crowded clusters of 3 brilliant deep pink flowers resembling a single flower blooming near the ground; found in dry gravelly or sandy soil; southwestern United States and Mexico +n11838916 any of several South American ornamental woody vines of the genus Bougainvillea having brilliant red or purple flower bracts; widely grown in warm regions +n11839460 a plant of the genus Mirabilis +n11839568 any of several plants of the genus Mirabilis having flowers that open in late afternoon +n11839823 common garden plant of North America having fragrant red or purple or yellow or white flowers that open in late afternoon +n11840067 California four o'clock with purple-red flowers +n11840246 leafy wildflower having fragrant slender white or pale pink trumpet-shaped flowers; southwestern United States and northern Mexico +n11840476 wildflower having vibrant deep pink tubular evening-blooming flowers; found in sandy and desert areas from southern California to southern Colorado and into Mexico +n11840764 leafy wildflower with lavender-pink flowers that open in the evening and remain through cool part of the next day; found in open woods or brush in mountains of southern Colorado to Arizona and into Mexico +n11841247 small spiny West Indian tree +n11843441 commonly cultivated tropical American cactus having slender creeping stems and very large showy crimson flowers that bloom for several days +n11844371 extremely large treelike cactus of desert regions of southwestern United States having a thick columnar sparsely branched trunk bearing white flowers and edible red pulpy fruit +n11844892 any of several cacti of the genus Cereus +n11845557 any cactus of the genus Echinocactus; strongly ribbed and very spiny; southwestern United States to Brazil +n11845793 cactus of the genus Echinocactus having stout sharp spines +n11845913 large cactus of east central Mexico having golden to pale yellow flowers and spines +n11846312 cactus of the genus Echinocereus +n11846425 a stout cylindrical cactus of the southwest United States and adjacent Mexico +n11846765 any cactus of the genus Epiphyllum having flattened jointed irregularly branching stems and showy tubular flowers +n11847169 a cactus of the genus Ferocactus: unbranched barrel-shaped cactus having deep ribs with numerous spines and usually large funnel-shaped flowers followed by dry fruits +n11848479 any of several cacti of the genus Hylocereus +n11848867 tall treelike Mexican cactus with edible red fruit +n11849271 a small spineless globe-shaped cactus; source of mescal buttons +n11849467 the button-shaped top of the mescal cactus; a source of psilocybin +n11849871 any cactus of the genus Mammillaria +n11849983 a low tuberculate cactus with white feathery spines; northeastern Mexico +n11850521 arborescent cactus of western Mexico bearing a small oblong edible berrylike fruit +n11850918 small clustering cactus of southwestern United States; a threatened species +n11851258 any of several cacti of the genus Nopalea resembling prickly pears +n11851578 cacti having spiny flat joints and oval fruit that is edible in some species; often used as food for stock +n11851839 arborescent cacti having very spiny cylindrical stem segments; southwestern United States and Mexico +n11852028 cactus having yellow flowers and purple fruits +n11852148 tropical American prickly pear of Jamaica +n11852531 West Indian woody climber with spiny stems and numerous fragrant white flowers in panicles followed by small yellow to orange fruits +n11853079 a plant of the genus Rhipsalis +n11853356 epiphytic cactus of Brazilian ancestry widely cultivated as a houseplant having jointed flat segments and usually rose-purple flowers that bloom in winter +n11853813 any of several night-blooming cacti of the genus Selenicereus +n11854479 South American jointed cactus with usually red flowers; often cultivated as a houseplant; sometimes classified as genus Schlumbergera +n11855274 perennial of the genus Phytolacca +n11855435 pokeweed of southeastern Asia and China +n11855553 tall coarse perennial American herb having small white flowers followed by blackish-red berries on long drooping racemes; young fleshy stems are edible; berries and root are poisonous +n11855842 fast-growing herbaceous evergreen tree of South America having a broad trunk with high water content and dark green oval leaves +n11856573 bushy houseplant having white to pale pink flowers followed by racemes of scarlet berries; tropical Americas +n11857696 a plant of the genus Portulaca having pink or red or purple or white ephemeral flowers +n11857875 widely cultivated in many varieties for its fleshy moss-like foliage and profusion of brightly colored flowers +n11858077 weedy trailing mat-forming herb with bright yellow flowers cultivated for its edible mildly acid leaves eaten raw or cooked especially in Indian and Greek and Middle Eastern cuisine; cosmopolitan +n11858703 a plant of the genus Calandrinia +n11858814 succulent carpet-forming plant having small brilliant reddish-pink flowers; southwestern United States +n11859275 similar to Claytonia virginica but having usually pink flowers; eastern North America +n11859472 small slender plant having one pair of succulent leaves at the middle of the stem and a loose raceme of white or pink or rose bowl-shaped flowers and an edible corm +n11859737 small cormous perennial grown for its low rosette of succulent foliage and racemes of pink-tinged white flowers; eastern North America +n11860208 evergreen perennial having a dense basal rosette of long spatula-shaped leaves and panicles of pink or white-and-red-striped or pink-purple flowers; found on cliffs and in rock crevices in mountains of southwestern Oregon and northern California +n11860555 showy succulent ground-hugging plant of Rocky Mountains regions having deep to pale pink flowers and fleshy farinaceous roots; the Montana state flower +n11861238 succulent plant with mostly basal leaves; stem bears 1 pair of broadly ovate or heart-shaped leaves and a loose raceme of 3-10 white flowers; western North America +n11861487 small Indian lettuce of northern regions +n11861641 a floating or creeping Indian lettuce having terminal racemes of pale rose flowers; wet areas at high elevations of western North America +n11861853 succulent herb sometimes grown as a salad or pot herb; grows on dunes and waste ground of Pacific coast of North America +n11862835 plant with fleshy roots and erect stems with narrow succulent leaves and one reddish-orange flower in each upper leaf axil; southwestern United States; Indians once cooked the fleshy roots +n11863467 low plant with crowded narrow succulent leaves and fairly large deep pink axillary flowers that seem to sit on the ground; southwestern United States +n11863877 erect plant with tuberous roots and terminal panicles of red to yellow flowers; southwestern North America to Central America; widely introduced elsewhere +n11865071 any of numerous plants of the genus Capparis +n11865276 small Australian tree bearing edible fruit resembling the pomegranate +n11865429 shrub of southern Florida to West Indies +n11865574 shrub or small tree of southern Florida to Central and South America +n11865874 prostrate spiny shrub of the Mediterranean region cultivated for its greenish flower buds which are pickled +n11866248 any of various often strong-smelling plants of the genus Cleome having showy spider-shaped flowers +n11866706 plant of western North America having trifoliate leaves and white or pink spider-shaped flowers; sometimes used as an ornamental +n11867311 strong-scented herb common in southern United States covered with intermixed gland and hairs +n11868814 any of various plants of the family Cruciferae +n11869351 any of various plants of the family Cruciferae with edible leaves that have a pungent taste +n11869689 any of several water-loving cresses +n11870044 any Old World herb of the genus Aethionema; native of sunny limestone habitats +n11870418 European herb that smells like garlic +n11870747 any garden plant of the genus Alyssum having clusters of small yellow or white flowers +n11871059 small grey Asiatic desert plant bearing minute white flowers that rolls up when dry and expands when moist +n11871496 a small invasive self-pollinating weed with small white flowers; much studied by plant geneticists; the first higher plant whose complete genome sequence was described +n11871748 a small noninvasive cross-pollinating plant with white flowers; closely related to Arabidopsis thaliana +n11872146 any of several rock-loving cresses of the genus Arabis +n11872324 North American rock cress having very long curved pods +n11872658 or genus Arabis: erect cress widely distributed throughout Europe +n11873182 the root of the horseradish plant; it is grated or ground and used for seasoning +n11873612 any plant of the genus Barbarea: yellow-flowered Eurasian cresses; widely cultivated for winter salad +n11874081 noxious cress with yellow flowers; sometimes placed in genus Sisymbrium +n11874423 tall European annual with downy grey-green foliage and dense heads of small white flowers followed by hairy pods; naturalized in North America; sometimes a troublesome weed +n11874878 plant of southeastern Europe having yellow flowers like those of mustard and pods with open valves resembling bucklers +n11875523 wild original of cultivated cabbages; common in western coastal Europe +n11875691 any of various cultivars of the genus Brassica oleracea grown for their edible leaves or flowers +n11875938 any of various cultivated cabbage plants having a short thick stalk and large compact head of edible usually green leaves +n11876204 cabbage plant with a compact head of crinkled leaves +n11876432 plant grown for its stout stalks of edible small green heads resembling diminutive cabbages +n11876634 a plant having a large edible head of crowded white flower buds +n11876803 plant with dense clusters of tight green flower buds +n11877193 variety of kale having smooth leaves +n11877283 plant cultivated for its enlarged fleshy turnip-shaped edible stem +n11877473 any of several widely cultivated plants having edible roots +n11877646 widely cultivated plant having a large fleshy edible white or yellow root +n11877860 a cruciferous plant with a thick bulbous edible yellow root +n11878101 plant grown for its pungent edible leafy shoots +n11878283 any of several cruciferous plants of the genus Brassica +n11878633 Asiatic mustard used as a potherb +n11879054 Asiatic plant grown for its cluster of edible white stalks with dark green leaves +n11879722 Eurasian plant cultivated for its seed and as a forage crop +n11879895 seed of rape plants; source of an edible oil +n11881189 white-flowered annual European herb bearing triangular notched pods; nearly cosmopolitan as an introduced weed +n11882074 a bitter cress of Europe and America +n11882237 European bittercress having a knotted white rootstock +n11882426 North American herb with pungent scaly or toothed roots +n11882636 mat-forming perennial found in cold springs of the eastern United States +n11882821 small white-flowered cress common in wet places in eastern North America +n11882972 small perennial herb of cooler regions of North America with racemose purple flowers +n11883328 perennial of southern Europe having clusters of fragrant flowers of all colors especially yellow and orange; often naturalized on old walls or cliffs; sometimes placed in genus Erysimum +n11883628 any of several western American plants of the genus Cheiranthus having large yellow flowers +n11883945 a widely distributed Arctic cress reputed to have value in treatment or prevention of scurvy; a concentrated source of vitamin C +n11884384 perennial of coastal sands and shingles of northern Europe and Baltic and Black Seas having racemes of small white flowers and large fleshy blue-green leaves often used as potherbs +n11884967 North American herb with bitter-tasting pinnate leaves resembling those of tansy +n11885856 any of numerous low-growing cushion-forming plants of the genus Draba having rosette-forming leaves and terminal racemes of small flowers with scapose or leafy stems; fruit is a dehiscent oblong or linear silique +n11887119 any of numerous plants of the genus Erysimum having fragrant yellow or orange or brownish flowers +n11887310 any of several North American plants of the genus Erysimum having large yellow flowers +n11887476 showy erect biennial or short-lived perennial cultivated for its terminal racemes of orange-yellow flowers; sometimes placed in genus Cheiranthus +n11887750 biennial or short-lived perennial prairie rocket having orange-yellow flowers; western North America to Minnesota and Kansas; sometimes placed in genus Cheiranthus +n11888061 slender yellow-flowered European mustard often troublesome as a weed; formerly used as an anthelmintic +n11888424 any of various South African herbs and subshrubs cultivated for long showy racemes of bright blue flowers with white eyes +n11888800 long cultivated herb having flowers whose scent is more pronounced in the evening; naturalized throughout Europe to Siberia and into North America +n11889205 perennial stellate and hairy herb with small yellow flowers of mountains of southern Europe; sometimes placed in genus Sisymbrium +n11889619 any of various flowering plants of the genus Iberis cultivated for their showy clusters of white to red or purple flowers; native to Mediterranean region +n11890022 any of several herbs of the genus Isatis +n11890150 European biennial formerly grown for the blue coloring matter yielded by its leaves +n11890884 any of several hairy North American herbs having yellow racemose flowers and inflated pods +n11891175 perennial European plant having clusters of small fragrant usually white flowers; widely grown in gardens +n11892029 any of various ornamental flowering plants of the genus Malcolmia +n11892181 erect branching herb cultivated for its loose racemes of fragrant white or pink or red or lilac flowers; native to sands and sea cliffs of southwestern Greece and southern Albania +n11892637 any of several Old World plants cultivated for their brightly colored flowers +n11892817 European plant with racemes of sweet-scented flowers; widely cultivated as an ornamental +n11893640 any of several plants of the genus Physaria having racemose yellow flowers and inflated pods +n11893916 small tufted perennial herb of mountains of central and southern Europe having very small flowers of usually leafless stems; sometimes placed in genus Lepidium +n11894327 a cruciferous plant of the genus Raphanus having a pungent edible root +n11894558 Eurasian weed having yellow or mauve or white flowers and podlike fruits +n11894770 Eurasian plant widely cultivated for its edible pungent root usually eaten raw +n11895092 radish of Japan with a long hard durable root eaten raw or cooked +n11895472 annual or biennial cress growing in damp places sometimes used in salads or as a potherb; troublesome weed in some localities +n11895714 perennial herb found on streams and riversides throughout Europe except extreme north and Mediterranean; sometimes placed in genus Nasturtium +n11896141 a dainty South American annual having deeply pinnatifid leaves and racemes of fringed almond-scented purple-white flowers +n11896722 weedy Eurasian plant often a pest in grain fields +n11897116 stiffly branching Old World annual with pale yellow flowers; widely naturalized in North America; formerly used medicinally +n11897466 perennial of southwestern United States having leathery blue-green pinnatifid leaves and thick plumelike spikes of yellow flowers; sometimes placed in genus Cleome +n11898639 any of several plants of the genus Thlaspi +n11898775 foetid Eurasian weed having round flat pods; naturalized throughout North America +n11899223 annual herb having pinnatifid basal leaves and slender racemes of small white flowers followed by one-seeded winged silicles +n11899762 annual or perennial herbs with inflated seed pods; some placed in genus Lesquerella +n11899921 a Japanese plant of the family Cruciferae with a thick green root +n11900569 annual or biennial or perennial herbs having showy flowers +n11901294 Old World alpine poppy with white or yellow to orange flowers +n11901452 showy annual of California with red flowers +n11901597 annual Old World poppy with orange-red flowers and bristly fruit +n11901759 subarctic perennial poppy of both hemispheres having fragrant white or yellow to orange or peach flowers +n11901977 commonly cultivated Asiatic perennial poppy having stiff heavily haired leaves and bright scarlet or pink to orange flowers +n11902200 annual European poppy common in grain fields and often cultivated +n11902389 southwestern Asian herb with greyish leaves and white or reddish flowers; source of opium +n11902709 any plant of the genus Argemone having large white or yellow flowers and prickly leaves and stems and pods; chiefly of tropical America +n11902982 annual herb with prickly stems and large yellow flowers; southern United States to West Indies and Mexico +n11903333 small Central American tree having loose racemes of purple-tinted green flowers +n11903671 perennial herb with branched woody stock and bright yellow flowers +n11904109 a plant of the genus Corydalis with beautiful compound foliage and spurred tubular flowers +n11904274 annual vine with decompound leaves and racemes of yellow and pink flowers +n11905392 of Pacific coast of North America; widely cultivated for its yellow to red flowers +n11905749 yellow-flowered Eurasian glaucous herb naturalized in along sandy shores in eastern North America +n11906127 native of Mexican highlands grown for its glossy clear yellow flowers and blue-grey finely dissected foliage +n11906514 herb of China and Japan widely cultivated for its plumelike panicles of creamy white flowers +n11906917 Chinese perennial having mauve-pink to bright sky blue flowers in drooping cymes +n11907100 widely cultivated west European plant with showy pale yellow flowers +n11907405 California plant with small pale yellow flowers +n11907689 tall branching subshrub of California and Mexico often cultivated for its silvery-blue foliage and large fragrant white flowers +n11908549 California wild poppy with bright red flowers +n11908846 perennial herb native to woodland of the eastern United States having yellow flowers +n11909864 vine with feathery leaves and white or pinkish flowers; sometimes placed in genus Fumaria +n11910271 garden plant having deep-pink drooping heart-shaped flowers +n11910460 delicate spring-flowering plant of the eastern United States having white flowers with double spurs +n11910666 American plant with cream-colored flowers and tuberous roots resembling kernels of corn +n11915214 considered the most highly evolved dicotyledonous plants, characterized by florets arranged in dense heads that resemble single flowers +n11915658 any of several plants having leaves so arranged on the axis as to indicate the cardinal points of the compass +n11915899 any of various plants of various genera of the family Compositae having flowers that can be dried without loss of form or color +n11916467 any of several plants of the genus Achillea native to Europe and having small white flowers in flat-topped flower heads +n11916696 ubiquitous strong-scented mat-forming Eurasian herb of wasteland, hedgerow or pasture having narrow serrate leaves and small usually white florets; widely naturalized in North America +n11917407 flower of southwestern Australia having bright pink daisylike papery flowers; grown for drying +n11917835 American herb having flat-topped clusters of small white flower heads; reputedly a cause of trembles and milk sickness; sometimes placed in genus Eupatorium +n11918286 any plant of the genus Ageratum having opposite leaves and small heads of blue or white flowers +n11918473 small tender herb grown for its fluffy brushlike blue to lavender blooms +n11918808 Asian plant widely grown for its sweetly fragrant pink flowers; sometimes placed in genus Centaurea +n11919447 any of numerous chiefly North American weedy plants constituting the genus Ambrosia that produce highly allergenic pollen responsible for much hay fever and asthma +n11919761 annual weed with finely divided foliage and spikes of green flowers; common in North America; introduced elsewhere accidentally +n11919975 a coarse annual with some leaves deeply and palmately three-cleft or five-cleft +n11920133 coarse perennial ragweed with creeping roots of dry barren lands of southwestern United States and Mexico +n11920498 any plant of the genus Ammobium having yellow flowers and silvery foliage +n11920663 Australian plant widely cultivated for its beautiful silvery-white blooms with bright yellow centers on long winged stems +n11920998 a small Mediterranean plant containing a volatile oil once used to relieve toothache +n11921395 an American everlasting having foliage with soft wooly hairs and corymbose heads with pearly white bracts +n11921792 any plant of the genus Andryala having milky sap and heads of bright yellow flowers +n11922661 a variety of pussytoes +n11922755 a variety of pussytoes +n11922839 a variety of pussytoes +n11922926 a variety of cat's foot +n11923174 widespread rank-smelling weed having white-rayed flower heads with yellow discs +n11923397 Eurasian perennial herb with hairy divided leaves and yellow flowers; naturalized in North America +n11923637 European white-flowered weed naturalized in North America +n11924014 tiny grey woolly tufted annual with small golden-yellow flower heads; southeastern California to northwestern Arizona and southwestern Utah; sometimes placed in genus Eriophyllum +n11924445 any of several erect biennial herbs of temperate Eurasia having stout taproots and producing burs +n11924849 burdock having heart-shaped leaves found in open woodland, hedgerows and rough grassland of Europe (except extreme N) and Asia Minor; sometimes cultivated for medicinal and culinary use +n11925303 any of several plants of the genus Arctotis having daisylike flowers +n11925450 bushy perennial of South Africa with white or violet flowers; in its native region often clothes entire valley sides in a sheet of color +n11925898 perennial subshrub of the Canary Islands having usually pale yellow daisylike flowers; often included in genus Chrysanthemum +n11926365 low-growing plant found only in volcanic craters on Hawaii having rosettes of narrow pointed silver-green leaves and clusters of profuse red-purple flowers on a tall stem +n11926833 any of various rhizomatous usually perennial plants of the genus Arnica +n11926976 wildflower with heart-shaped leaves and broad yellow flower heads; of alpine areas west of the Rockies from Alaska to southern California +n11927215 herb of pasture and open woodland throughout most of Europe and western Asia having orange-yellow daisylike flower heads that when dried are used as a stimulant and to treat bruises and swellings +n11927740 small European herb with small yellow flowers +n11928352 any of various composite shrubs or herbs of the genus Artemisia having aromatic green or greyish foliage +n11928858 any of several weedy composite plants of the genus Artemisia +n11929743 wormwood of southeastern Europe to Iran +n11930038 European wormwood similar to common wormwood in its properties +n11930203 aromatic perennial of southeastern Russia +n11930353 silver-haired shrub of central and southern United States and Mexico; a troublesome weed on rangelands +n11930571 silky-leaved aromatic perennial of dry northern parts of the northern hemisphere; has tawny florets +n11930788 perennial cottony-white herb of southwestern United States +n11930994 European wormwood; minor source of absinthe +n11931135 a perennial that is valuable as sheep forage in the United States +n11931540 European tufted aromatic perennial herb having hairy red or purple stems and dark green leaves downy white below and red-brown florets +n11931918 any of various chiefly fall-blooming herbs of the genus Aster with showy daisylike flowers +n11932745 any of several asters of eastern North America usually growing in woods +n11932927 North American perennial with apparently whorled leaves and showy white purple-tinged flowers +n11933099 common North American perennial with heathlike foliage and small white flower heads +n11933257 perennial wood aster of eastern North America +n11933387 rhizomatous perennial wood aster of eastern North America with white flowers +n11933546 stiff perennial of the eastern United States having small linear leaves and numerous tiny white flower heads +n11933728 common much-branched North American perennial with heathlike foliage and small starry white flowers +n11933903 perennial of western North America having white flowers +n11934041 wiry tufted perennial of the eastern United States with stiff erect rough stems, linear leaves and large violet flowers +n11934239 early-flowering perennial of southern and southeastern Europe with flower heads resembling those of goldenrod +n11934463 tufted perennial wood aster of North America; naturalized in Europe +n11934616 common perennial of eastern North America having showy purplish flowers; a parent of the Michaelmas daisy +n11934807 North American perennial herb having small autumn-blooming purple or pink or white flowers; widely naturalized in Europe +n11935027 tufted rigid North American perennial with loose clusters of white flowers +n11935187 perennial of southeastern United States having usually blue flowers +n11935330 a common European aster that grows in salt marshes +n11935469 violet-flowered perennial aster of central United States having solitary heads +n11935627 a variety of aster +n11935715 a variety of aster +n11935794 a variety of aster +n11935877 a variety of aster +n11935953 a variety of aster +n11936027 a variety of aster +n11936113 a variety of aster +n11936199 a variety of aster +n11936287 a variety of aster +n11936369 a variety of aster +n11936448 a variety of aster +n11936539 a variety of aster +n11936624 a variety of aster +n11936707 a variety of aster +n11936782 a variety of aster +n11936864 a variety of aster +n11936946 a variety of aster +n11937023 a variety of aster +n11937102 a variety of aster +n11937195 a variety of aster +n11937278 a variety of aster +n11937360 a variety of aster +n11937446 a variety of aster +n11937692 low spreading tropical American shrub with long slender leaves used to make a mildly stimulating drink resembling tea; sometimes placed in genus Eupatorium +n11938556 California shrub with slender leafy shoots that are important browse for mule deer +n11939180 a plant of the genus Balsamorhiza having downy leaves in a basal rosette and yellow flowers and long balsam-scented taproots +n11939491 any of numerous composite plants having flower heads with well-developed ray flowers usually arranged in a single whorl +n11939699 low-growing Eurasian plant with yellow central disc flowers and pinkish-white outer ray flowers +n11940006 any of several plants of the genus Bidens having yellow flowers and prickly fruits that cling to fur and clothing +n11940349 common bur marigold of the eastern United States +n11940599 North American bur marigold with large flowers +n11940750 bur marigold of temperate Eurasia +n11941094 a variety of knapweed +n11941478 any of various autumn-flowering perennials having white or pink to purple flowers that resemble asters; wild in moist soils from New Jersey to Florida and Texas +n11941924 western Australian annual much cultivated for its flower heads with white or bluish to violet or variegated rays +n11942659 hairy Eurasian perennial having deep yellow daisies on lax willowy stems; found in the wild in open woodland and on rocky slopes +n11943133 any of various plants of the genus Cacalia having leaves resembling those of plantain +n11943407 any of numerous chiefly annual herbs of the genus Calendula widely cultivated for their yellow or orange flowers; often used for medicinal and culinary purposes +n11943660 the common European annual marigold +n11943992 valued for their beautiful flowers in a wide range of clear bright colors; grown primarily for cutting +n11944196 any of numerous plants of the family Compositae and especially of the genera Carduus and Cirsium and Onopordum having prickly-edged leaves +n11944751 European biennial introduced in North America having flower heads in crowded clusters at ends of branches +n11944954 Eurasian perennial naturalized in eastern North America having very spiny white cottony foliage and nodding musky crimson flower heads; valuable source of nectar +n11945367 a thistle of the genus Carlina +n11945514 stemless perennial having large flowers with white or purple-brown florets nestled in a rosette of long spiny leaves hairy beneath; of alpine regions of southern and eastern Europe +n11945783 Eurasian thistle growing in sand dunes and dry chalky soils +n11946051 thistlelike Eurasian plant widely grown for its red or orange flower heads and seeds that yield a valuable oil +n11946313 seed of the safflower +n11946727 any of several plants of the genus Catananche having long-stalked heads of blue or yellow flowers +n11946918 south European plant having dark-eyed flowers with flat blue rays +n11947251 any plant of the genus Centaurea +n11947629 a plant having leaves and stems covered with down that resembles dust +n11947802 an annual Eurasian plant cultivated in North America having showy heads of blue or purple or pink or white flowers +n11948044 Mediterranean annual or biennial herb having pinkish to purple flowers surrounded by spine-tipped scales; naturalized in America +n11948264 any of various plants of the genus Centaurea having purple thistlelike flowers +n11948469 perennial of mountains of Iran and Iraq; cultivated for its fragrant rose-pink flowers +n11948864 tall European perennial having purple flower heads +n11949015 European weed having a winged stem and hairy leaves; adventive in the eastern United States +n11949402 Eurasian plant with apple-scented foliage and white-rayed flowers and feathery leaves used medicinally; in some classification systems placed in genus Anthemis +n11949857 any of several United States plants having long stalks of funnel-shaped white or yellow flowers +n11950345 any of numerous perennial Old World herbs having showy brightly colored flower heads of the genera Chrysanthemum, Argyranthemum, Dendranthema, Tanacetum; widely cultivated +n11950686 European herb with bright yellow flowers; a common weed in grain fields +n11950877 shrubby annual of the Mediterranean region with yellowish-white flowers +n11951052 grown for its succulent edible leaves used in Asian cooking +n11951511 any of several shrubby herbs or subshrubs of the genus Chrysopsis having bright golden-yellow flower heads that resemble asters; throughout much of United States and into Canada +n11951820 perennial golden aster of southeastern United States +n11952346 any of various much-branched yellow-flowered shrubs of the genus Chrysothamnus; western North America +n11952541 pleasantly aromatic shrub having erect slender flexible hairy branches and dense clusters of small yellow flowers covering vast areas of western alkali plains and affording a retreat for jackrabbits; source of a yellow dye used by the Navajo +n11953038 perennial Old World herb having rayed flower heads with blue florets cultivated for its root and its heads of crisp edible leaves used in salads +n11953339 widely cultivated herb with leaves valued as salad green; either curly serrated leaves or broad flat ones that are usually blanched +n11953610 the dried root of the chicory plant: used as a coffee substitute +n11953884 any of numerous biennial to perennial herbs with handsome purple or yellow or occasionally white flower heads +n11954161 European thistle naturalized in United States and Canada where it is a pernicious weed +n11954345 stout North American thistle with purplish-pink flower heads +n11954484 thistle of western North America having white woolly leaves +n11954642 woolly thistle of western and central Europe and Balkan Peninsula +n11954798 perennial stoloniferous thistle of northern Europe with lanceolate basal leaves and usually solitary heads of reddish-purple flowers +n11955040 of central and southwestern Europe +n11955153 European thistle with rather large heads and prickly leaves; extensively naturalized as a weed in the United States +n11955532 annual of Mediterranean to Portugal having hairy stems and minutely spiny-toothed leaves and large heads of yellow flowers +n11955896 rhizomatous plant of central and southeastern United States and West Indies having large showy heads of clear blue flowers; sometimes placed in genus Eupatorium +n11956348 common North American weed with linear leaves and small discoid heads of yellowish flowers; widely naturalized throughout temperate regions; sometimes placed in genus Erigeron +n11956850 any of numerous plants of the genus Coreopsis having a profusion of showy usually yellow daisylike flowers over long periods; North and South America +n11957317 large treelike shrub having feathery leaves and clusters of large yellow flower heads; coastal southern California +n11957514 stout herb with flowers one to a stalk; ornamental developed from a Mexican wildflower +n11957678 North American annual widely cultivated for its yellow flowers with purple-red to brownish centers; in some classifications placed in a subgenus Calliopsis +n11958080 any of various mostly Mexican herbs of the genus Cosmos having radiate heads of variously colored flowers and pinnate leaves; popular fall-blooming annuals +n11958499 South African herb with golden-yellow globose flower heads; naturalized in moist areas along coast of California; cultivated as an ornamental +n11958888 any of various plants of the genus Craspedia grown for their downy foliage and globose heads of golden flowers; Australia and New Zealand +n11959259 any of various plants of the genus Crepis having loose heads of yellow flowers on top of a long branched leafy stem; northern hemisphere +n11959632 Mediterranean thistlelike plant widely cultivated for its large edible flower head +n11959862 southern European plant having spiny leaves and purple flowers cultivated for its edible leafstalks and roots +n11960245 any of several plants of or developed from the species Dahlia pinnata having tuberous roots and showy rayed variously colored flower heads; native to the mountains of Mexico and Central America and Colombia +n11960673 South African succulent evergreen twining climber with yellow flowers grown primarily as a houseplant for its foliage; sometimes placed in genus Senecio +n11961100 of China +n11961446 any of several South African plants grown for the profusion of usually yellow daisylike flowers and mounds of aromatic foliage +n11961871 any of several herbs of the genus Doronicum having alternate often clasping stem leaves cultivated for their long stalks of yellow flower heads +n11962272 any of various perennials of the eastern United States having thick rough leaves and long-stalked showy flowers with drooping rays and a conelike center +n11962667 any of various plants of the genus Echinops having prickly leaves and dense globose heads of bluish flowers +n11962994 any plant of the genus Elephantopus having heads of blue or purple flowers; America +n11963572 tropical Asiatic annual cultivated for its small tassel-shaped heads of scarlet flowers +n11963932 fragrant rounded shrub of southwestern United States and adjacent Mexico having brittle stems and small crowded blue-green leaves and yellow flowers; produces a resin used in incense and varnish and in folk medicine +n11964446 herb having a basal cluster of grey-green leaves and leafless stalks each with a solitary broad yellow flower head; desert areas Idaho to Arizona +n11964848 common erect hairy perennial of plains and prairies of southern and central United States having flowers that resemble sunflowers +n11965218 an American weedy plant with small white or greenish flowers +n11965627 any of several North American plants of the genus Erigeron having daisylike flowers; formerly believed to repel fleas +n11965962 widespread weed with pale purple-blue flowers +n11966083 widely naturalized white-flowered North American herb +n11966215 mat-forming herb of Turkestan with nearly double orange-yellow flowers +n11966385 well-branched plant with hairy leaves and stems each with a solitary flower head with narrow white or pink or lavender rays; western North America +n11966617 slightly succulent perennial with basal leaves and hairy sticky stems each bearing a solitary flower head with narrow pink or lavender rays; coastal bluffs Oregon to southern California +n11966896 especially pretty plant having a delicate fringe of threadlike rays around flower heads having very slender white or pink rays; United States and Canada +n11967142 common perennial of eastern North America having flowers with usually violet-purple rays +n11967315 plant having branching leafy stems each branch with an especially showy solitary flower head with many narrow pink or lavender or white rays; northwestern United States mountains +n11967744 any plant of the genus Eriophyllum +n11967878 greyish woolly leafy perennial with branched stems ending in leafless stalks bearing golden-yellow flower heads; dry areas western North America +n11968519 weedy plant of southeastern United States having divided leaves and long clusters of greenish flowers +n11968704 North American herb having whorled leaves and terminal clusters of small pinkish or purple flower heads +n11968931 perennial herb of southeastern United States having white-rayed flower heads; formerly used as in folk medicine +n11969166 North American herb having whorled leaves and terminal clusters of flowers spotted with purple +n11969607 hairy South African or Australian subshrub that has daisylike flowers with blue rays +n11969806 softly hairy South African herb having flowers with bright blue rays +n11970101 any plant of the genus Filago having capitate clusters of small woolly flower heads +n11970298 (literally an undutiful herb) a variety of cotton rose +n11970586 any plant of western America of the genus Gaillardia having hairy leaves and long-stalked flowers in hot vibrant colors from golden yellow and copper to rich burgundy +n11971248 any plant of the genus Gazania valued for their showy daisy flowers +n11971406 decumbent South African perennial with short densely leafy stems and orange flower rays with black eyespots at base +n11971783 African or Asiatic herbs with daisylike flowers +n11971927 widely cultivated South African perennial having flower heads with orange to flame-colored rays +n11972291 slender hairy plant with few leaves and golden-yellow flower heads; sandy desert areas of southeastern California to southwestern Utah and western Arizona and northwestern Mexico +n11972759 any of numerous plants of the genus Gnaphalium having flowers that can be dried without loss of form or color +n11972959 weedy perennial of north temperate regions having woolly foliage and dirty white flowers in a leafy spike +n11973341 any of various western American plants of the genus Grindelia having resinous leaves and stems formerly used medicinally; often poisonous to livestock +n11973634 perennial gumweed of California and Baja California +n11973749 perennial gumweed of western and central North America +n11974373 similar to Gutierrezia sarothrae but with flower heads having fewer rays and disk flowers +n11974557 low-growing sticky subshrub of southwestern United States having narrow linear leaves on many slender branches and hundreds of tiny yellow flower heads +n11974888 annual of southwestern United States having rigid woody branches with sticky foliage and yellow flowers +n11975254 Javanese foliage plant grown for their handsome velvety leaves with violet-purple hairs +n11976170 a plant of the genus Haplopappus +n11976314 annual of southern United States and Mexico having bristly leaves and pale yellow flowers +n11976511 slender perennial of western North America having weakly bristly leaves and yellow flower heads +n11976933 western American shrubs having white felted foliage and yellow flowers that become red-purple +n11977303 any of various plants of the genus Helenium characteristically causing sneezing +n11977660 stout perennial herb of western United States having flower heads with drooping orange-yellow rays; causes spewing sickness in sheep +n11977887 a sneezeweed of southwestern United States especially southern California +n11978233 any plant of the genus Helianthus having large flower heads with dark disk florets and showy yellow rays +n11978551 sunflower of eastern North America having narrow leaves and found in bogs +n11978713 annual sunflower grown for silage and for its seeds which are a source of oil; common throughout United States and much of North America +n11978961 very tall American perennial of central and the eastern United States to Canada having edible tuberous roots +n11979187 tall rough-leaved perennial with a few large flower heads; central United States +n11979354 tall perennial of central United States to Canada having golden-yellow flowers +n11979527 similar to the common sunflower with slender usually branching stems common in central United States +n11979715 tall perennial with hairy stems and leaves; widely cultivated for its large irregular edible tubers +n11979964 edible tuber of the Jerusalem artichoke +n11980318 Australian plant naturalized in Spain having flowers of lemon yellow to deep gold; the frequent choice of those who love dried flowers +n11980682 any North American shrubby perennial herb of the genus Heliopsis having large yellow daisylike flowers +n11981192 any of various plants of the genus Helipterum +n11981475 hairy perennial with yellow flower heads in branched clusters; found almost everywhere in dry places from Canada to west central and western United States; sometimes placed in genus Chrysopsis +n11982115 any of numerous often hairy plants of the genus Hieracium having yellow or orange flowers that resemble the dandelion +n11982545 a hawkweed with a rosette of purple-veined basal leaves; Canada to northern Georgia and Kentucky +n11982939 rhizomatous herb with purple-red flowers suitable for groundcover; sometimes placed in genus Tussilago +n11983375 low tufted plant having hairy stems each topped by a flower head with short narrow yellow rays; northwestern United States +n11983606 similar to but smaller than alpine hulsea +n11984144 European weed widely naturalized in North America having yellow flower heads and leaves resembling a cat's ears +n11984542 any plant of the genus Inula +n11985053 any of various coarse shrubby plants of the genus Iva with small greenish flowers; common in moist areas (as coastal salt marshes) of eastern and central North America +n11985321 tall annual marsh elder common in moist rich soil in central North America that can cause contact dermatitis; produces much pollen that is a major cause of hay fever +n11985739 any small branched yellow-flowered North American herb of the genus Krigia +n11985903 small yellow-flowered herb resembling dandelions of central and southeastern United States +n11986511 annual or perennial garden plant having succulent leaves used in salads; widely grown +n11986729 lettuce with long dark-green spoon-shaped leaves +n11987126 distinguished by leaves having curled or incised leaves forming a loose rosette that does not develop into a compact head +n11987349 lettuce valued especially for its edible stems +n11987511 European annual wild lettuce having prickly stems; a troublesome weed in parts of United States +n11988132 small slender woolly annual with very narrow opposite leaves and branches bearing solitary golden-yellow flower heads; southwestern Oregon to Baja California and Arizona; often cultivated +n11988596 California annual having flower heads with yellow rays tipped with white +n11988893 any of various common wildflowers of the genus Leontodon; of temperate Eurasia to Mediterranean regions +n11989087 fall-blooming European herb with a yellow flower; naturalized in the United States +n11989393 alpine perennial plant native to Europe having leaves covered with whitish down and small flower heads held in stars of glistening whitish bracts +n11989869 tall leafy-stemmed Eurasian perennial with white flowers; widely naturalized; often placed in genus Chrysanthemum +n11990167 similar to oxeye daisy +n11990313 hybrid garden flower derived from Chrysanthemum maximum and Chrysanthemum lacustre having large white flower heads resembling oxeye daisies; often placed in the genus Chrysanthemum +n11990627 perennial of Portugal similar to the oxeye daisy +n11990920 perennial herb closely resembling European edelweiss; New Zealand +n11991263 any of various North American plants of the genus Liatris having racemes or panicles of small discoid flower heads +n11991549 herb with many stems bearing narrow slender wands of crowded rose-lavender flowers; central United States and Canada to Texas and northern Mexico +n11991777 perennial of southeastern and central United States having very dense spikes of purple flowers; often cultivated for cut flowers +n11992479 Texas annual with coarsely pinnatifid leaves; cultivated for its showy radiate yellow flower heads +n11992806 shrub of southwestern Mediterranean region having yellow daisylike flowers +n11993203 wild aster with fernlike leaves and flower heads with very narrow bright purple rays; Alberta to Texas and Mexico +n11993444 wild aster having leafy stems and flower heads with narrow bright reddish-lavender or purple rays; western Colorado to Arizona +n11993675 wild aster having greyish leafy stems and flower heads with narrow pale lavender or violet rays; of rocky desert slopes California to Arizona and Utah +n11994150 any of various resinous glandular plants of the genus Madia; of western North and South America +n11995092 annual Eurasian herb similar in fragrance and medicinal uses to chamomile though taste is more bitter and effect is considered inferior +n11995396 annual aromatic weed of Pacific coastal areas (United States and northeastern Asia) having bristle-pointed leaves and rayless yellow flowers +n11996251 herb of tropical America having vanilla-scented flowers; climbs up trees +n11996677 any of various plants of the genus Mutisia +n11997032 a plant of the genus Nabalus +n11997160 herb of northeastern North America having drooping clusters of yellowish-white flowers; sometimes placed in genus Prenanthes +n11997969 any of various mostly Australian attractively shaped shrubs of the genus Olearia grown for their handsome and sometimes fragrant evergreen foliage and profusion of daisy flowers with white or purple or blue rays +n11998492 bushy New Zealand shrub cultivated for its fragrant white flower heads +n11998888 biennial Eurasian white hairy thistle having pale purple flowers; naturalized in North America +n11999278 a South African plant of the genus Othonna having smooth often fleshy leaves and heads of yellow flowers +n11999656 shrub with white woolly branches and woolly leaves having fragrant flowers forming long sprays; flowers suitable for drying; sometimes placed in genus Helichrysum +n12000191 any of several yellow-flowered plants of the genus Packera; often placed in genus Senecio +n12001294 stout perennial herb of the eastern United States with whitish flowers; leaves traditionally used by Catawba Indians to treat burns +n12001707 herb of Canary Islands widely cultivated for its blue or purple or red or variegated daisylike flowers +n12001924 herb derived from Pericallis cruenta and widely cultivated in a variety of profusely flowering forms with florets from white to pink to red or purple or violet or blue +n12002428 small Eurasian herb having broad leaves and lilac-pink rayless flowers; found in moist areas +n12002651 European herb with vanilla-scented white-pink flowers +n12002826 American sweet-scented herb +n12003167 widespread European weed with spiny tongue-shaped leaves and yellow flowers; naturalized in United States +n12003696 any of various plants of the genus Pilosella +n12004120 European hawkweed having soft hairy leaves; sometimes placed in genus Hieracium +n12004547 any plant of the genus Piqueria or the closely related genus Stevia +n12004987 herb of central and southern Europe having purple florets +n12005656 hairy perennial Eurasian herb with yellow daisylike flowers reputed to destroy or drive away fleas +n12006306 perennial prostrate mat-forming herb with hoary woolly foliage +n12006766 a wildflower of the genus Ratibida +n12006930 coneflower with flower heads resembling a Mexican hat with a tall red-brown disk and drooping yellow or yellow and red-brown rays; grows in the great plains along base of Rocky Mountains +n12007196 plant similar to the Mexican hat coneflower; from British Columbia to New Mexico +n12007406 coneflower of central to southwestern United States +n12007766 Australian annual everlasting having light pink nodding flower heads; sometimes placed in genus Helipterum +n12008252 any of various plants of the genus Rudbeckia cultivated for their large usually yellow daisies with prominent central cones +n12008487 the state flower of Maryland; of central and southeastern United States; having daisylike flowers with dark centers and yellow to orange rays +n12008749 tall leafy plant with erect branches ending in large yellow flower heads with downward-arching rays; grow in Rocky Mountains south to Arizona and east to the Atlantic coast +n12009047 very tall branching herb with showy much-doubled yellow flower heads +n12009420 branching aromatic Mediterranean shrub with woolly stems and leaves and yellow flowers +n12009792 low-branching leafy annual with flower heads resembling zinnias; found in southwestern United States and Mexico to Guatemala +n12010628 any of several spiny Mediterranean herbs of the genus Scolymus having yellow flower heads +n12010815 a golden thistle of southwestern Europe cultivated for its edible sweet roots and edible leaves and stalks; its yellow flowers are used as a substitute for saffron +n12011370 plant with erect leafy stems bearing clusters of rayless yellow flower heads on bent individual stalks; moist regions of southwestern United States +n12011620 stiff much-branched perennial of the Mediterranean region having very white woolly stems and leaves +n12012111 American ragwort with yellow flowers +n12012253 widespread European weed having yellow daisylike flowers; sometimes an obnoxious weed and toxic to cattle if consumed in quantity +n12012510 perennial with sharply toothed triangular leaves on leafy stems bearing a cluster of yellow flower heads; moist places in mountains of western North America +n12013035 perennial south European herb having narrow entire leaves and solitary yellow flower heads and long black edible roots shaped like carrots +n12013511 herb having corymbose white-rayed flowers with scaly bracts and silky indehiscent fruits +n12013701 a variety of white-topped aster +n12014085 low much-branched perennial of western United States having silvery leaves; an important browse and shelter plant +n12014355 plants of western and northern European coasts +n12014923 European perennial whose serrate leaves yield a yellow dye +n12015221 North American perennial having a resinous odor and yellow flowers +n12015525 tall Old World biennial thistle with large clasping white-blotched leaves and purple flower heads; naturalized in California and South America +n12015959 any of numerous chiefly summer-blooming and fall-blooming North American plants especially of the genus Solidago +n12016434 plant of eastern North America having creamy white flowers +n12016567 large North American goldenrod having showy clusters of yellow flowers on arching branches; often a weed +n12016777 similar to meadow goldenrod but usually smaller +n12016914 goldenrod similar to narrow goldenrod but having bristly hairs on edges of leaf stalks; mountainous regions of western America +n12017127 a dyer's weed of Canada and the eastern United States having yellow flowers sometimes used in dyeing +n12017326 goldenrod of eastern America having aromatic leaves from which a medicinal tea is made +n12017511 eastern North American herb whose yellow flowers are (or were) used in dyeing +n12017664 vigorous showy goldenrod common along eastern coast and Gulf Coast of North America +n12017853 western American goldenrod with long narrow clusters of small yellow flowers +n12018014 a variety of goldenrod +n12018100 a variety of goldenrod +n12018188 a variety of goldenrod +n12018271 a variety of goldenrod +n12018363 a variety of goldenrod +n12018447 a variety of goldenrod +n12018530 a variety of goldenrod +n12018760 any of several Old World coarse prickly-leaved shrubs and subshrubs having milky juice and yellow flowers; widely naturalized; often noxious weeds in cultivated soil +n12019035 annual Eurasian sow thistle with soft spiny leaves and rayed yellow flower heads +n12019827 any plant of the genus Stevia or the closely related genus Piqueria having glutinous foliage and white or purplish flowers; Central and South America +n12020184 erect perennial of southeastern United States having large heads of usually blue flowers +n12020507 any of various tropical American plants of the genus Tagetes widely cultivated for their showy yellow or orange flowers +n12020736 a stout branching annual with large yellow to orange flower heads; Mexico and Central America +n12020941 strong-scented bushy annual with orange or yellow flower heads marked with red; Mexico and Guatemala +n12022054 spring-flowering garden perennial of Asiatic origin having finely divided aromatic leaves and white to pink-purple flowers; source of an insecticide; sometimes placed in genus Chrysanthemum +n12022382 white-flowered pyrethrum of Balkan area whose pinnate leaves are white and silky-hairy below; source of an insecticide; sometimes placed in genus Chrysanthemum +n12022821 lightly hairy rhizomatous perennial having aromatic feathery leaves and stems bearing open clusters of small buttonlike yellow flowers; sand dunes of Pacific coast of North America +n12023108 bushy aromatic European perennial herb having clusters of buttonlike white-rayed flower heads; valued traditionally for medicinal uses; sometimes placed in genus Chrysanthemum +n12023407 shrubby perennial of the Canary Islands having white flowers and leaves and hairy stems covered with dustlike down; sometimes placed in genus Chrysanthemum +n12023726 common perennial aromatic herb native to Eurasia having buttonlike yellow flower heads and bitter-tasting pinnate leaves sometimes used medicinally +n12024176 any of several herbs of the genus Taraxacum having long tap roots and deeply notched leaves and bright yellow flowers followed by fluffy seed balls +n12024445 Eurasian plant widely naturalized as a weed in North America; used as salad greens and to make wine +n12024690 the foliage of the dandelion plant +n12024805 perennial dandelion native to Kazakhstan cultivated for its fleshy roots that have high rubber content +n12025220 perennial having tufted basal leaves and short leafless stalks each bearing a solitary yellow flower head; dry hillsides and plains of west central North America +n12026018 any plant of the genus Tithonia; tall coarse herbs or shrubs of Mexico to Panama having large flower heads resembling sunflowers with yellow disc florets and golden-yellow to orange-scarlet rays +n12026476 dwarf tufted nearly stemless herb having a rosette of woolly leaves and large white-rayed flower heads and bristly achenes; central Canada and United States west to Arizona +n12026981 European perennial naturalized throughout United States having hollow stems with a few long narrow tapered leaves and each bearing a solitary pale yellow flower +n12027222 Mediterranean biennial herb with long-stemmed heads of purple ray flowers and milky sap and long edible root; naturalized throughout United States +n12027658 weedy European annual with yellow flowers; naturalized in United States +n12028424 ubiquitous European annual weed with white flowers and finely divided leaves naturalized and sometimes cultivated in eastern North America; sometimes included in genus Matricaria +n12029039 low densely tufted perennial herb of Turkey having small white flowers; used as a ground cover in dry places; sometimes included in genus Matricaria +n12029635 perennial herb with large rounded leaves resembling a colt's foot and yellow flowers appearing before the leaves do; native to Europe but now nearly cosmopolitan; used medicinally especially formerly +n12030092 any of various plants of the genus Ursinia grown for their yellow- or orange- or white-rayed flowers +n12030654 any plant of the genus Verbesina having clustered white or yellow flower heads +n12030908 perennial herb with showy yellow flowers; the eastern United States +n12031139 coarse greyish-green annual yellow-flowered herb; southwestern United States to Mexico +n12031388 perennial herb with yellow flowers; southern and south central United States +n12031547 tall perennial herb having clusters of white flowers; the eastern United States +n12031927 any of various plants of the genus Vernonia of tropical and warm regions of especially North America that take their name from their loose heads of purple to rose flowers that quickly take on a rusty hue +n12032429 balsamic-resinous herb with clumps of lanceolate leaves and stout leafy stems ending in large deep yellow flowers on long stalks; northwestern United States +n12032686 herb with basal leaves and leafy hairy stems bearing solitary flower heads with white or pale cream-colored rays; northwestern United States +n12033139 any coarse weed of the genus Xanthium having spiny burrs +n12033504 any plant of the genus Xeranthemum native to southern Europe having chaffy or silvery flower heads with purplish tubular flowers +n12033709 mostly widely cultivated species of everlasting flowers having usually purple flowers; southern Europe to Iran; naturalized elsewhere +n12034141 any of various plants of the genus Zinnia cultivated for their variously and brightly colored flower heads +n12034384 subshrub with slender woolly stems and long narrow leaves and flower heads with white rays; southern United States and northern Mexico +n12034594 subshrub having short leafy stems and numerous small flower heads with nearly round yellow-orange rays; Arizona south to Mexico and east to Kansas +n12035631 biennial of southwestern United States having white stems and toothed leaves that is grown for its large pale yellow flowers that open in early morning +n12035907 annual grown especially for its fragrant golden nocturnal flowers +n12036067 small dry indehiscent fruit with the seed distinct from the fruit wall +n12036226 a winged often one-seed indehiscent fruit as of the ash or elm or maple +n12036939 any of various plants of the genus Campanula having blue or white bell-shaped flowers +n12037499 erect European herb with creeping rootstocks and nodding spikelike racemes of blue to violet flowers +n12037691 European biennial widely cultivated for its blue or violet or white flowers +n12038038 annual or perennial of eastern North America with long spikes of blue or white flowers +n12038208 bellflower common in marshes of eastern North America having lanceolate linear leaves and small whitish flowers +n12038406 bellflower of Europe to temperate Asia having dense spikes of violet-blue to white flowers +n12038585 perennial European bellflower with racemose white or blue flowers +n12038760 bellflower of southeastern Europe +n12038898 bellflower of Europe and Asia and North Africa having bluish flowers and an edible tuberous root used with the leaves in salad +n12039317 European perennial bellflower that grows in clumps with spreading stems and blue or white flowers +n12041446 any of numerous plants of the orchid family usually having flowers of unusual shapes and beautiful colors +n12043444 any of various deciduous terrestrial orchids having fleshy tubers and flowers in erect terminal racemes +n12043673 Eurasian orchid with showy pink or purple flowers in a loose spike +n12043836 Mediterranean orchid having usually purple flowers with a fan-shaped spotted or striped rose-red lip +n12044041 North American orchid having a spike of violet-purple flowers mixed with white; sepals and petals form a hood +n12044467 any orchid of the genus Aerides +n12044784 any of various spectacular orchids of the genus Angraecum having dark green leathery leaves and usually nocturnally scented white or ivory flowers +n12045157 any of several delicate Asiatic orchids grown especially for their velvety leaves with metallic white or gold veining +n12045514 North American orchid bearing a single leaf and yellowish-brown flowers +n12045860 any of several bog orchids of the genus Arethusa having 1 or 2 showy flowers +n12046028 a bog orchid with usually a solitary fragrant magenta pink blossom with a wide gaping corolla; Canada +n12046428 any of various orchids of the genus Bletia having pseudobulbs and erect leafless racemes of large purple or pink flowers +n12046815 Japanese orchid with white-striped leaves and slender erect racemes of rose to magenta flowers; often cultivated; sometimes placed in genus Bletia +n12047345 any of various tropical American orchids with usually solitary fleshy leaves and showy white to green nocturnally fragrant blossoms solitary or in racemes of up to 7 +n12047884 South American orchid with spiderlike pale-yellow to pale-green flowers +n12048056 Central American orchid having spiderlike flowers with prominent green warts +n12048399 any of various orchids of the genus Caladenia +n12048928 any of various showy orchids of the genus Calanthe having white or yellow or rose-colored flowers and broad leaves folded lengthwise +n12049282 an orchid +n12049562 rare north temperate bog orchid bearing a solitary white to pink flower marked with purple at the tip of an erect reddish stalk above 1 basal leaf +n12050533 any orchid of the genus Cattleya characterized by a three-lobed lip enclosing the column; among the most popular and most extravagantly beautiful orchids known +n12050959 any of several orchids of the genus Cephalanthera +n12051103 orchid of Mediterranean and Asia having a lax spike of bright rose-pink flowers +n12051514 orchid of northeastern United States with magenta-pink flowers having funnel-shaped lip; sometimes placed in genus Pogonia +n12051792 orchid of central and northern South America having 1- to 3-blossomed racemes of large showy rose-colored flowers; sometimes placed in genus Pogonia +n12052267 orchid with broad ovate leaves and long-bracted green very irregular flowers +n12052447 orchid having hooded long-bracted green to yellow-green flowers suffused with purple +n12052787 any of various orchids of the genus Coelogyne with: clusters of fragrant lacy snow-white flowers; salmon-pink solitary flowers; chainlike racemes of topaz and chocolate brown flowers; spikes of delicate white spice-scented flowers; emerald green flowers marked with blue-black +n12053405 a wildflower of the genus Corallorhiza growing from a hard mass of rhizomes associated with a fungus that aids in absorbing nutrients from the forest floor +n12053690 common coral root having yellowish- or reddish- or purplish-brown leafless stems bearing loose racemes of similarly colored flowers with white purple-spotted lips; Guatemala to Canada +n12053962 nearly leafless wildflower with erect reddish-purple stems bearing racemes of pale pinkish and brownish-striped flowers; western Canada to Mexico +n12054195 plant having clumps of nearly leafless pale yellowish to greenish stems bearing similarly colored flowers with white lower lips; northern New Mexico north through South Dakota and Washington to Alaska +n12055073 any of several orchids of the genus Cycnoches having slender arching columns of flowers suggesting the neck of a swan +n12055516 any of various plants of the genus Cymbidium having narrow leaves and a long drooping cluster of numerous showy and variously colored boat-shaped flowers; extensively hybridized and cultivated as houseplants and important florists' flowers +n12056099 a plant or flower of the genus Cypripedium +n12056217 any of several chiefly American wildflowers having an inflated pouchlike lip; difficult or impossible to cultivate in the garden +n12056601 once common rose pink woodland orchid of eastern North America +n12056758 pale pink wild orchid of northeastern America having an inflated pouchlike lip +n12056990 orchid of northern North America having a brownish-green flower and red-and-white lip suggestive of a ram's head +n12057211 maroon to purple-brown orchid with yellow lip; Europe, North America and Japan +n12057447 plant of eastern and central North America having slightly fragrant purple-marked greenish-yellow flowers +n12057660 often having many yellow-green orchids with white pouches growing along streams and seeps of southwestern Oregon and northern California +n12057895 clusters of several short stems each having 2 broad leaves and 2-4 drooping brownish to greenish flowers with pouches mottled with purple; British Columbia to central California and northern Colorado +n12058192 leafy plant having a few stems in a clump with 1 white and dull purple flower in each upper leaf axil; Alaska to northern California and Wyoming +n12058630 any of several orchids of the genus Dactylorhiza having fingerlike tuberous roots; Europe and Mediterranean region +n12058822 European orchid having lanceolate leaves spotted purple and pink to white or mauve flowers spotted or lined deep red or purple +n12059314 a plant of the genus Dendrobium having stems like cane and usually showy racemose flowers +n12059625 any orchid of the genus Disa; beautiful orchids with dark green leaves and usually hooded flowers; much prized as emblematic flowers in their native regions +n12060546 waxy white nearly leafless plant with stems in clusters and racemes of white flowers; northwestern United States to northern California and east to Idaho +n12061104 Mexican epiphytic orchid with glaucous grey-green leaves and lemon- to golden-yellow flowers appearing only partially opened; sometimes placed in genus Cattleya +n12061380 orchid of Florida and the Bahamas having showy brightly colored flowers; sometimes placed in genus Epidendrum +n12061614 Mexican epiphytic orchid having pale green or yellow-green flowers with white purple-veined lip +n12062105 any of various orchids of the genus Epidendrum +n12062468 any of various orchids of the genus Epipactis +n12062626 European orchid with spikes of green and pinkish or purplish flowers +n12062781 orchid growing along streams or ponds of western North America having leafy stems and 1 greenish-brown and pinkish flower in the axil of each upper leaf +n12063211 orchid having blue to purple flowers with tongue-shaped or strap-shaped protuberances (calli) at the lip base +n12063639 any of several small temperate and tropical orchids having mottled or striped leaves and spikes of small yellowish-white flowers in a twisted raceme +n12064389 European orchid having dense spikes of fragrant pink or lilac or red flowers with conspicuous spurs +n12064591 similar to Gymnadenia conopsea but with smaller flowers on shorter stems and having much shorter spurs +n12065316 any of several summer-flowering American orchids distinguished by a fringed or lacerated lip +n12065649 any of several green orchids of the genus Habenaria +n12065777 any of several American wildflowers with a kidney-shaped lip +n12066018 orchid with spikes of many fragrant white flowers on erect leafy stems; of wet or boggy ground through most of the West and northern North America +n12066261 bog orchid of eastern North America with a spike of pure white fringed flowers +n12066451 slender inland rein orchid similar to coastal rein orchid but with pale greenish-yellow flowers +n12066630 North American orchid similar to Habenaria psycodes with larger paler flowers +n12066821 stout orchid of central California to northern Washington having racemes of white fragrant bilaterally symmetrical flowers +n12067029 a long-spurred orchid with base leaves and petals converging under the upper sepal +n12067193 fringed orchid of the eastern United States having a greenish flower with the lip deeply lacerated +n12067433 orchid of boggy or wet lands of north central United States having racemes of very fragrant creamy or greenish white flowers +n12067672 slender fringed orchid of eastern North America having white flowers +n12067817 orchid having a raceme of large greenish-white flowers on a single flower stalk growing between two elliptic or round basal leaves lying on the ground; from northern Oregon and Montana across Canada to the eastern United States +n12068138 orchid of northeastern and alpine eastern North America closely related to the purple fringed orchids but having rosy-purple or violet flowers with denticulate leaf divisions +n12068432 North American orchid with clusters of fragrant purple fringed flowers +n12068615 similar to coastal rein orchid but with smaller flowers; Alaska to Baja California and east to the Dakotas and Colorado +n12069009 orchid with yellowish-brown flowers with dark veins; southeastern Arizona to the eastern United States +n12069217 orchid with slender nearly leafless reddish-brown stems with loose racemes of reddish-brown flowers; of open brushy woods of southeastern Arizona and central Texas +n12069679 an orchid of the genus Himantoglossum +n12070016 any of various spectacular plants of the genus Laelia having showy flowers in many colors +n12070381 an orchid of the genus Liparis having few leaves and usually fairly small yellow-green or dull purple flowers in terminal racemes +n12070583 an orchid of the genus Liparis having a pair of leaves +n12070712 small terrestrial orchid of eastern North America and Europe having two nearly basal leaves and dull yellow-green racemose flowers +n12071259 small orchid with two elliptic leaves and a slender raceme of small green flowers; western North America +n12071477 orchid having two triangular leaves and a short lax raceme of green to rust-colored flowers with the lip flushed mauve; Europe and Asia and North America and Greenland +n12071744 orchid having a pair of ovate leaves and a long slender raceme of green flowers sometimes tinged red-brown; Europe to central Asia +n12072210 North American orchid having a solitary leaf and flowers with threadlike petals +n12072722 any of numerous orchids of the genus Masdevallia; tufted evergreen often diminutive plants whose flowers in a remarkable range of colors usually resemble a tricorn with sepals fused at the base to form a tube +n12073217 any of numerous orchids of the genus Maxillaria often cultivated for their large brilliantly colored solitary flowers +n12073554 any of various orchids of the genus Miltonia having solitary or loosely racemose showy broadly spreading flowers +n12073991 any of numerous and diverse orchids of the genus Odontoglossum having racemes of few to many showy usually large flowers in many colors +n12074408 any orchid of the genus Oncidium: characterized by slender branching sprays of small yellow and brown flowers; often grown as houseplants +n12074867 European orchid whose flowers resemble bumble bees in shape and color +n12075010 European orchid whose flowers resemble flies +n12075151 any of several European orchids of the genus Ophrys +n12075299 spring-blooming spider orchid having a flower with yellow or green or pink sepals and a broad brown velvety lip +n12075830 any of various orchids of the genus Paphiopedilum having slender flower stalks bearing 1 to several waxy flowers with pouchlike lips +n12076223 an orchid of the genus Phaius having large plicate leaves and racemes of showy flowers +n12076577 any of various orchids of the genus Phalaenopsis having often drooping glossy broad obovate or oval leaves usually dark green flushed purple or mottled grey and silver +n12076852 orchid having large elliptic to obovate fleshy leaves and fragrant pink-and-white flowers dotted with red +n12077244 any of various orchids of the genus Pholidota having numerous white to brown flowers in spiraling racemes clothed in slightly inflated bracts and resembling a rattlesnake's tail +n12077944 south European orchid having fragrant greenish-white flowers; sometimes placed in genus Habenaria +n12078172 south European orchid with dark green flowers that are larger and less fragrant than Platanthera bifolia; sometimes placed in genus Habenaria +n12078451 of central North America; a threatened species +n12078747 an orchid of the genus Plectorrhiza having tangled roots and long wiry stems bearing lax racemes of small fragrant green flowers +n12079120 any of several dwarf orchids of the genus Pleione bearing one or two solitary white or pink to magenta or occasionally yellow flowers with slender stalks +n12079523 any of numerous small tufted orchids of the genus Pleurothallis having leathery to fleshy leaves and racemes of 1 to many small flowers +n12079963 any hardy bog orchid of the genus Pogonia: terrestrial orchids having slender rootstocks and erect stems bearing one or a few leaves and a solitary terminal flower +n12080395 any orchid of the genus Psychopsis: spectacular large tiger-striped orchids +n12080588 orchid of South and Central America having flowers similar to but smaller than Psychopsis papilio; sometimes placed in genus Oncidium +n12080820 orchid of South America and Trinidad having large yellow and reddish-brown flowers; sometimes placed in genus Oncidium +n12081215 any of numerous orchids of the genus Pterostylis having leaves in a basal rosette and green flowers often striped purple or brown or red with the dorsal sepal incurved to form a hood +n12081649 any of various orchids of the genus Rhyncostylis having pink- to purple-marked white flowers in a dense cylindrical raceme +n12082131 diminutive Australian orchid with loose racemes of fragrant white flowers with purple and orange markings on the lip +n12083113 any of various showy orchids of the genus Sobralia having leafy stems and bright-colored solitary or racemose flowers similar to those of genus Cattleya +n12083591 an orchid of the genus Spiranthes having slender often twisted spikes of white flowers +n12083847 an orchid of the genus Spiranthes having tall erect densely flowered spiraling clusters of creamy white vanilla-scented flowers; widely distributed especially in low damp places of eastern and central North America +n12084158 orchid having dense clusters of gently spiraling creamy white flowers with 2 upper petals forming a hood; western North America +n12084400 similar to Spiranthes romanzoffiana;States +n12084555 European orchid having shorter racemes of strongly spiraling snow-white flowers +n12084890 any of various orchids of the genus Stanhopea having a single large leaf and loose racemes of large fragrant flowers of various colors; Mexico to Brazil +n12085267 any of various small tropical American orchids of the genus Stelis having long slender racemes of numerous small to minute flowers +n12085664 any of several dwarf creeping orchids with small bizarre insect-like hairy flowers on slender stalks +n12086012 any of numerous showy orchids of the genus Vanda having many large flowers in loose racemes +n12086192 famous orchid of northern India having large pale to deep lilac-blue flowers +n12086539 any of numerous climbing plants of the genus Vanilla having fleshy leaves and clusters of large waxy highly fragrant white or green or topaz flowers +n12086778 a climbing orchid bearing a podlike fruit yielding vanilla beans; widely cultivated from Florida southward throughout tropical America +n12087961 any of a number of tropical vines of the genus Dioscorea many having edible tuberous roots +n12088223 edible tuber of any of several yams +n12088327 grown in Australasia and Polynesia for its large root with fine edible white flesh +n12088495 hardy Chinese vine naturalized in United States and cultivated as an ornamental climber for its glossy heart-shaped cinnamon-scented leaves and in the tropics for its edible tubers +n12088909 South African vine having a massive rootstock covered with deeply fissured bark +n12089320 having a rhizome formerly dried and used to treat rheumatism or liver disorders +n12089496 tropical American yam with small yellow edible tubers +n12089846 common European twining vine with tuberous roots and cordate leaves and red berries +n12090890 any of numerous short-stemmed plants of the genus Primula having tufted basal leaves and showy flowers clustered in umbels or heads +n12091213 plant of western and southern Europe widely cultivated for its pale yellow flowers +n12091377 early spring flower common in British isles having fragrant yellow or sometimes purple flowers +n12091550 Eurasian primrose with yellow flowers clustered in a one-sided umbel +n12091697 cultivated Asiatic primrose +n12091953 florists' primroses; considered a complex hybrid derived from oxlip, cowslip, and common primrose +n12092262 any of several plants of the genus Anagallis +n12092417 herb with scarlet or white or purple blossoms that close at approach of rainy weather +n12092629 small creeping European herb having delicate pink flowers +n12092930 weedy plant having short dry chafflike leaves +n12093329 Mediterranean plant widely cultivated as a houseplant for its showy dark green leaves splotched with silver and nodding white or pink to reddish flowers with reflexed petals +n12093600 common wild European cyclamen with pink flowers +n12093885 a small fleshy herb common along North American seashores and in brackish marshes having pink or white flowers +n12094244 a plant of the genus Hottonia +n12094401 a featherfoil of the eastern United States with submerged spongy inflated flower stalks and white flowers +n12094612 featherfoil of Europe and western Asia having submerged and floating leaves and violet flowers +n12095020 any of various herbs and subshrubs of the genus Lysimachia +n12095281 a variety of the loosestrife herb +n12095412 trailing European evergreen with yellow flowers +n12095543 of North America +n12095647 a loosestrife vine +n12095934 North American plant with spikes of yellow flowers, found in wet places +n12096089 common North American yellow-flowered plant +n12096395 a white-flowered aquatic plant of the genus Samolus +n12096563 water pimpernel of Europe to China +n12096674 American water pimpernel +n12097396 shrub with coral-red berries; Japan to northern India +n12097556 tropical American shrub or small tree with brown wood and dark berries +n12098403 any plumbaginaceous plant of the genus Plumbago +n12098524 a plant of the genus Plumbago with blue flowers +n12098827 any of numerous sun-loving low-growing evergreens of the genus Armeria having round heads of pink or white flowers +n12099342 any of various plants of the genus Limonium of temperate salt marshes having spikes of white or mauve flowers +n12100187 West Indian shrub or small tree having leathery saponaceous leaves and extremely hard wood +n12101870 cosmopolitan herbaceous or woody plants with hollow jointed stems and long narrow leaves +n12102133 narrow-leaved green herbage: grown as lawns; used as pasture for grazing animals; cut and dried as hay +n12103680 any of various grasses of moderate height which covered the undisturbed prairie in the United States; includes most of the forage grasses of the temperate zone +n12103894 any of various grasses that are short and can tolerate drought conditions; common on the dry upland plains just east of the Rocky Mountains +n12104104 any of various grasses or sedges having sword-shaped leaves with sharp edges +n12104238 any of various grasses that are tall and that flourish with abundant moisture +n12104501 succulent herbaceous vegetation of pasture land +n12104734 European grass naturalized as a weed in North America; sharp-pointed seeds cause injury when eaten by livestock +n12105125 a grass of the genus Agropyron +n12105353 Eurasian grass grown in United States great plains area for forage and erosion control +n12105828 a wheatgrass with straight terminal awns on the flowering glumes +n12105981 valuable forage grass of western United States +n12106134 Asiatic grass introduced into United States rangelands for pasture and fodder +n12106323 North American grass cultivated in western United States as excellent forage crop +n12107002 common grass with slender stems and narrow leaves +n12107191 Spanish grass with light feathery panicles grown for dried bouquets +n12107710 stout erect perennial grass of northern parts of Old World having silky flowering spikes; widely cultivated for pasture and hay; naturalized in North America +n12107970 grasses of the genera Alopecurus and Setaria having dense silky or bristly brushlike flowering spikes +n12108432 any of several grasses of the genus Andropogon; used in broom making +n12108613 tall tufted grass of southeastern United States +n12108871 coarse perennial Eurasian grass resembling oat; found on roadside verges and rough grassland and in hay meadows; introduced in North America for forage +n12109365 used by Maoris for thatching +n12109827 annual grass of Europe and North Africa; grains used as food and fodder (referred to primarily in the plural: `oats') +n12110085 widely cultivated in temperate regions for its edible grains +n12110236 common in meadows and pastures +n12110352 oat of southern Europe and southwestern Asia +n12110475 Mediterranean oat held to be progenitor of modern cultivated oat +n12110778 any of various woodland and meadow grasses of the genus Bromus; native to temperate regions +n12111238 weedy annual native to Europe but widely distributed as a weed especially in wheat +n12111627 annual grass of Europe and temperate Asia +n12112008 pasture grass of plains of South America and western North America +n12112337 a pasture grass (especially of western coastal regions of North America) +n12112609 short grass growing on dry plains of central United States (where buffalo roam) +n12112918 any of various tall perennial grasses of the genus Calamagrostis having feathery plumes; natives of marshland fens and wet woodlands of temperate northern hemisphere +n12113195 a variety of reed grass +n12113323 tall Australian reedlike grass sometimes used for hay +n12113657 a grass of the genus Cenchrus +n12114010 erect tussock-forming perennial bur grass used particularly in South Africa and Australia for pasture and forage +n12114590 perennial grass of South Africa introduced into United States; cultivated as forage grass in dry regions +n12115180 tall perennial grass of pampas of South America having silvery plumes and growing in large dense clumps +n12116058 perennial grass having stems 3 to 4 feet high; used especially in Africa and India for pasture and hay +n12116429 widely grown stout Old World hay and pasture grass +n12116734 a creeping grass with spikes like fingers +n12117017 grasses with creeping stems that root freely; a pest in lawns +n12117235 a weed +n12117326 a European forage grass grown for hay; a naturalized weed in United States +n12117695 a coarse annual panic grass; a cosmopolitan weed; occasionally used for hay or grazing +n12117912 coarse annual grass cultivated in Japan and southeastern Asia for its edible seeds and for forage; important wildlife food in United States +n12118414 coarse annual grass having fingerlike spikes of flowers; native to Old World tropics; a naturalized weed elsewhere +n12118661 East Indian cereal grass whose seed yield a somewhat bitter flour, a staple in the Orient +n12119099 a grass of the genus Elymus +n12119238 any of several grasses of the genus Elymus +n12119390 stout perennial grass of western North America +n12119539 a dune grass of the Pacific seacoast used as a sand binder +n12119717 North American wild rye +n12120347 an African grass economically important as a cereal grass (yielding white flour of good quality) as well as for forage and hay +n12120578 perennial South African grass having densely clumped flimsy stems; introduced into United States especially for erosion control +n12121033 a reedlike grass of the genus Erianthus having large plumes +n12121187 grass often cultivated for its long white-ribbed leaves and large plumes resembling those of pampas grass +n12121610 grass with wide flat leaves cultivated in Europe and America for permanent pasture and hay and for lawns +n12122442 a pasture grass of moist places throughout North America +n12122725 tall European perennial grass having a velvety stem; naturalized in United States and used for forage +n12122918 European perennial grass with soft velvety foliage +n12123648 a grain of barley +n12123741 European annual grass often found as a weed in waste ground especially along roadsides and hedgerows +n12124172 annual barley native to western North America and widespread in southern United States and tropical America +n12124627 any of several annual or perennial Eurasian grasses +n12124818 European perennial grass widely cultivated for pasture and hay and as a lawn grass +n12125001 European grass much used for hay and in United States also for turf and green manure +n12125183 weedy annual grass often occurs in grainfields and other cultivated land; seeds sometimes considered poisonous +n12125584 slender branching American grass of some value for grazing in central United States +n12126084 yields the staple food of 50 percent of world's population +n12126360 any grass of the genus Oryzopsis +n12126736 perennial mountain rice native to Mediterranean region and introduced into North America +n12127460 grass of western America used for hay +n12127575 extensively cultivated in Europe and Asia for its grain and in United States sometimes for forage +n12127768 annual weedy grass used for hay +n12128071 tall tufted perennial tropical American grass naturalized as pasture and forage grass in southern United States +n12128306 perennial tropical American grass used as pasture grass in arid areas of the Gulf States +n12128490 low-growing weedy grass with spikelets along the leaf stems +n12129134 tall perennial ornamental grass with long nodding flower plumes of tropical Africa and Asia +n12129738 perennial grass of marshy meadows and ditches having broad leaves; Europe and North America +n12129986 Canary Islands grass; seeds used as feed for caged birds +n12130549 grass with long cylindrical spikes grown in northern United States and Europe for hay +n12131405 any of various grasses of the genus Poa +n12131550 any of various grasses that thrive in the presence of abundant moisture +n12132092 slender European grass of shady places; grown also in northeastern America and temperate Asia +n12132956 sugarcanes representing the highest development of the species; characterized by large juicy stalks with soft rinds and high sugar content +n12133151 tough Asiatic grass whose culms are used for ropes and baskets +n12133462 handsome hardy North American grass with foliage turning pale bronze in autumn +n12133682 tall grass with smooth bluish leaf sheaths grown for hay in the United States +n12134025 hardy annual cereal grass widely cultivated in northern Europe where its grain is the chief ingredient of black bread and in North America for forage and soil improvement +n12134486 grasses of grasslands and woodlands having large gracefully arching spikes with long bristles beneath each spikelet +n12134695 two species of coarse annual foxtails that are naturalized weeds in United States +n12134836 common weedy and bristly grass found in nearly all temperate areas +n12135049 European foxtail naturalized in North America; often a troublesome weed +n12135576 millet having orange to reddish grains in long bristly spikes +n12135729 millet having yellow grains in large drooping spikes +n12135898 any of various small-grained annual cereal and forage grasses of the genera Panicum, Echinochloa, Setaria, Sorghum, and Eleusine +n12136392 the stem of various climbing palms of the genus Calamus and related genera used to make wickerwork and furniture and canes +n12136581 stem of the rattan palm used for making canes and umbrella handles +n12136720 tall woody perennial grasses with hollow slender stems especially of the genera Arundo and Phragmites +n12137120 economically important Old World tropical cereal grass +n12137569 any of several sorghums cultivated primarily for grain +n12137791 sorghums of dry regions of Asia and North Africa +n12137954 a Sudanese sorghum having exceptionally large soft white grains +n12138110 Sudanese sorghums having white seeds; one variety grown in southwestern United States +n12138248 sorghums of China and Manchuria having small white or brown grains (used for food) and dry pithy stalks (used for fodder, fuel and thatching) +n12138444 small drought-resistant sorghums having large yellow or whitish grains +n12138578 sorghum having slender dry stalks and small hard grains; introduced into United States from India +n12139196 tall grasses grown for the elongated stiff-branched panicle used for brooms and brushes +n12139575 any of several perennial grasses of the genus Spartina; some important as coastal soil binders +n12139793 tall reedlike grass common in salt meadows +n12139921 North American cordgrass having leaves with dry membranous margins and glumes with long awns +n12140511 grass native to West Indies but common in southern United States having tufted wiry stems often infested with a dark fungus +n12140759 erect smooth grass of sandy places in eastern North America +n12140903 grass having wiry stems and sheathed panicles +n12141167 low mat-forming grass of southern United States and tropical America; grown as a lawn grass +n12141385 a cereal grass +n12141495 grass whose starchy grains are used as food: wheat; rice; rye; oats; maize; buckwheat; millet +n12142085 annual or biennial grass having erect flower spikes and light brown grains +n12142357 a grain of wheat +n12142450 wheat with hard dark-colored kernels high in gluten and used for bread and pasta; grown especially in southern Russia, North Africa, and northern central North America +n12143065 hardy wheat grown mostly in Europe for livestock feed +n12143215 hard red wheat grown especially in Russia and Germany; in United States as stock feed +n12143405 found wild in Palestine; held to be prototype of cultivated wheat +n12143676 tall annual cereal grass bearing kernels on large ears: widely cultivated in America in many varieties; the principal cereal in Mexico and Central and South America since pre-Columbian times +n12144313 an ear of corn +n12144580 the dried grains or kernels or corn used as animal feed or ground for meal +n12144987 corn whose kernels contain both hard and soft starch and become indented at maturity +n12145148 corn having kernels with a hard outer layer enclosing the soft endosperm +n12145477 corn having small ears and kernels that burst when exposed to dry heat +n12146311 any of several creeping grasses of the genus Zoysia +n12146488 lawn grass common in the Philippines; grown also in United States +n12146654 lawn grass common in China and Japan; grown also in United States +n12147226 woody tropical grass having hollow woody stems; mature canes used for construction and furniture +n12147835 extremely vigorous bamboo having thin-walled culms striped green and yellow; so widely cultivated that native area is uncertain +n12148757 immense tropical southeast Asian bamboo with tough hollow culms that resemble tree trunks +n12150722 African sedge widely cultivated as an ornamental water plant for its terminal umbrellalike cluster of slender grasslike leaves +n12150969 European sedge having small edible nutlike tubers +n12151170 European sedge having rough-edged leaves and spikelets of reddish flowers and aromatic roots +n12151615 a widely distributed perennial sedge having small edible nutlike tubers +n12152031 European maritime sedge naturalized along Atlantic coast of United States; rootstock has properties of sarsaparilla +n12152251 tufted sedge of temperate regions; nearly cosmopolitan +n12152532 any sedge of the genus Eriophorum; north temperate bog plants with tufted spikes +n12152722 having densely tufted white cottony or downlike glumes +n12153033 widely distributed North American sedge having rigid olive green stems +n12153224 sedge of eastern North America having numerous clustered woolly spikelets +n12153580 a sedge of the genus Eleocharis +n12153741 Chinese sedge yielding edible bulb-shaped tubers +n12153914 fine-leaved aquatic spike rush; popular as aerator for aquariums +n12154114 cylindrical-stemmed sedge +n12154773 any of various Old World tropical palmlike trees having huge prop roots and edible conelike fruits and leaves like pineapple leaves +n12155009 Polynesian screw pine +n12155583 tall erect herbs with sword-shaped leaves; cosmopolitan in fresh and salt marshes +n12155773 tall marsh plant with cylindrical seed heads that explode when mature shedding large quantities of down; its long flat leaves are used for making mats and chair seats; of North America, Europe, Asia and North Africa +n12156679 marsh plant having elongated linear leaves and round prickly fruit +n12156819 dry seed-like fruit produced by the cereal grasses: e.g. wheat, barley, Indian corn +n12157056 a single whole grain of a cereal +n12157179 the seed of the cereal grass +n12157769 any vine of the family Cucurbitaceae that bears fruits with hard rinds +n12158031 any of numerous inedible fruits with hard rinds +n12158443 a coarse vine widely cultivated for its large pulpy round orange fruit with firm orange skin and numerous seeds; subspecies of Cucurbita pepo include the summer squashes and a few autumn squashes +n12158798 any of numerous annual trailing plants of the genus Cucurbita grown for their fleshy edible fruits +n12159055 any of various usually bushy plants producing fruit that is eaten while immature and before the rind or seeds harden +n12159388 any of various squash plants grown for their yellow fruits with somewhat elongated necks +n12159555 any of various squash plants grown for their elongated fruit with smooth dark green skin and whitish flesh +n12159804 marrow squash plant whose fruit are eaten when small +n12159942 squash plant having dark green fruit with skin mottled with light green or yellow +n12160125 squash plant having flattened round fruit with a scalloped edge; usually greenish white +n12160303 squash plant bearing oval fruit with smooth yellowish skin and tender stranded flesh resembling spaghetti +n12160490 any of various plants of the species Cucurbita maxima and Cucurbita moschata producing squashes that have hard rinds and mature in the fall +n12160857 squash plant bearing small acorn-shaped fruits having yellow flesh and dark green or yellow rind with longitudinal ridges +n12161056 any of several winter squash plants producing large greyish-green football-shaped fruit with a rough warty rind +n12161285 squash plants bearing hard-shelled fruit shaped somewhat like a turban with a rounded central portion protruding from the end opposite the stem +n12161577 plant bearing somewhat drum-shaped fruit having dark green rind with greyish markings +n12161744 plant bearing buff-colored squash having somewhat bottle-shaped fruit with fine-textured edible flesh and a smooth thin rind +n12161969 any of various plants bearing squash having hard rinds and elongated recurved necks +n12162181 plant bearing squash having globose to ovoid fruit with variously striped grey and green and white warty rinds +n12162425 perennial vine of dry parts of central and southwestern United States and Mexico having small hard mottled green inedible fruit +n12162758 small hard green-and-white inedible fruit of the prairie gourd plant +n12163035 a vine of the genus Bryonia having large leaves and small flowers and yielding acrid juice with emetic and purgative properties +n12163279 white-flowered vine having thick roots and bearing small black berries; Europe to Iran +n12164363 any of several varieties of vine whose fruit has a netted rind and edible flesh and a musky smell +n12164656 a variety of muskmelon vine having fruit with a tan rind and orange flesh +n12164881 any of a variety of muskmelon vines having fruit with a smooth white rind and white or greenish flesh that does not have a musky smell +n12165170 a muskmelon vine with fruit that has a thin reticulated rind and sweet green flesh +n12165384 a melon vine of the genus Cucumis; cultivated from earliest times for its cylindrical green fruit +n12165758 Mediterranean vine having oblong fruit that when ripe expels its seeds and juice violently when touched +n12166128 Old World climbing plant with hard-shelled bottle-shaped gourds as fruits +n12166424 any of several tropical annual climbers having large yellow flowers and edible young fruits; grown commercially for the mature fruit's dried fibrous interior that is used as a sponge +n12166793 the loofah climber that has cylindrical fruit +n12166929 loofah of Pakistan; widely cultivated throughout tropics +n12167075 the dried fibrous part of the fruit of a plant of the genus Luffa; used as a washing sponge or strainer +n12167436 a tropical Old World flowering vine with red or orange warty fruit +n12167602 tropical Old World vine with yellow-orange fruit +n12168565 any plant or flower of the genus Lobelia +n12169099 erect perennial aquatic herb of Europe and North America having submerged spongy leaves and pendulous racemes of blue flowers above the water +n12170585 any of various plants of the family Malvaceae +n12171098 erect Old World perennial with faintly musk-scented foliage and white or pink flowers; adventive in United States +n12171316 annual Old World plant with clusters of pink or white flowers; naturalized in United States +n12171966 tall coarse annual of Old World tropics widely cultivated in southern United States and West Indies for its long mucilaginous green pods used as basis for soups and stews; sometimes placed in genus Hibiscus +n12172364 long green edible beaked pods of the okra plant +n12172481 bushy herb of tropical Asia grown for its yellow or pink to scarlet blooms that resemble the hibiscus +n12172906 an ornamental plant of the genus Abutilon having leaves that resemble maple leaves +n12173069 tall annual herb or subshrub of tropical Asia having velvety leaves and yellow flowers and yielding a strong fiber; naturalized in southeastern Europe and United States +n12173664 any of various tall plants of the genus Alcea; native to the Middle East but widely naturalized and cultivated for its very large variously colored flowers +n12173912 plant with terminal racemes of showy white to pink or purple flowers; the English cottage garden hollyhock +n12174311 any of various plants of the genus Althaea; similar to but having smaller flowers than genus Alcea +n12174521 European perennial plant naturalized in United States having triangular ovate leaves and lilac-pink flowers +n12174926 a plant of the genus Callirhoe having palmately cleft leaves and white to red or purple flowers borne throughout the summer +n12175181 perennial poppy mallow of United States southern plains states having rose-red or rose-purple flowers +n12175370 hairy perennial of central United States having round deeply lobed leaves and loose panicles of large crimson-purple or cherry-red flowers +n12175598 densely hairy perennial having mostly triangular basal leaves and rose-purple flowers in panicled clusters +n12176453 small bushy tree grown on islands of the Caribbean and off the Atlantic coast of the southern United States; yields cotton with unusually long silky fibers +n12176709 Old World annual having heart-shaped leaves and large seeds with short greyish lint removed with difficulty; considered an ancestor of modern short-staple cottons +n12176953 native tropical American plant now cultivated in the United States yielding short-staple cotton +n12177129 cotton with long rough hairy fibers +n12177455 shrub of southern Arizona and Mexico +n12178129 valuable fiber plant of East Indies now widespread in cultivation +n12178780 Australian tree with acid foliage +n12178896 showy shrub of salt marshes of the eastern United States having large rose-colored flowers +n12179122 Chinese shrub or small tree having white or pink flowers becoming deep red at night; widely cultivated; naturalized in southeastern United States +n12179632 East Indian sparsely prickly annual herb or perennial subshrub widely cultivated for its fleshy calyxes used in tarts and jelly and for its bast fiber +n12180168 shrubby tree widely distributed along tropical shores; yields a light tough wood used for canoe outriggers and a fiber used for cordage and caulk; often cultivated for ornament +n12180456 annual weedy herb with ephemeral yellow purple-eyed flowers; Old World tropics; naturalized as a weed in North America +n12180885 small tree or shrub of New Zealand having a profusion of axillary clusters of honey-scented paper-white flowers and whose bark is used for cordage +n12181352 a rare mallow found only in Illinois resembling the common hollyhock and having pale rose-mauve flowers; sometimes placed in genus Sphaeralcea +n12181612 perennial of northwestern United States and western Canada resembling a hollyhock and having white or pink flowers +n12182049 any of various plants of the genus Kosteletzya predominantly of coastal habitats; grown for their flowers that resemble hibiscus +n12182276 subshrub of southeastern United States to New York +n12183026 shrub of coastal ranges of California and Baja California having hairy branches and spikes of numerous mauve flowers; sometimes placed in genus Sphaeralcea +n12183452 western Mediterranean annual having deep purple-red flowers subtended by 3 large cordate bracts +n12183816 an American plant of the genus Malvastrum +n12184095 any of various plants of the genus Malvaviscus having brilliant bell-shaped drooping flowers like incompletely opened hibiscus flowers +n12184468 tall coarse American herb having palmate leaves and numerous small white dioecious flowers; found wild in most alluvial soils of eastern and central United States +n12184912 any of various evergreen plants of the genus Pavonia having white or yellow or purple flowers +n12185254 deciduous New Zealand tree whose inner bark yields a strong fiber that resembles flax and is called New Zealand cotton +n12185859 southern and western Australian shrub with unlobed or shallowly lobed toothed leaves and purple flowers; sometimes placed in genus Hibiscus +n12186352 tall handsome perennial herb of southeastern United States having maplelike leaves and white flowers +n12186554 herb widely distributed in tropics and subtropics used for forage and medicinally as a demulcent and having a fine soft bast stronger than jute; sometimes an aggressive weed +n12186839 tropical American weed having pale yellow or orange flowers naturalized in southern United States +n12187247 perennial purple-flowered wild mallow of western North America that is also cultivated +n12187663 genus of coarse herbs and subshrubs of arid North and South America having pink or scarlet flowers and globose fruits +n12187891 false mallow of western United States having racemose red flowers; sometimes placed in genus Malvastrum +n12188289 any of various trees yielding variously colored woods similar to true tulipwood +n12188635 pantropical tree of usually seacoasts sometimes cultivated as an ornamental for its rounded heart-shaped leaves and showy yellow and purple flowers; yields valuable pink to dark red close-grained wood and oil from its seeds +n12189429 East Indian silk cotton tree yielding fibers inferior to kapok +n12189779 Australian tree having an agreeably acid fruit that resembles a gourd +n12189987 African tree having an exceedingly thick trunk and fruit that resembles a gourd and has an edible pulp called monkey bread +n12190410 massive tropical tree with deep ridges on its massive trunk and bearing large pods of seeds covered with silky floss; source of the silky kapok fiber +n12190869 tree of southeastern Asia having edible oval fruit with a hard spiny rind +n12191240 evergreen tree with large leathery leaves and large pink to orange flowers; considered a link plant between families Bombacaceae and Sterculiaceae +n12192132 tree of Mexico to Guatemala having densely hairy flowers with long narrow petals clustered at ends of branches before leaves appear +n12192877 Australian tree having hard white timber and glossy green leaves with white flowers followed by one-seeded glossy blue fruit +n12193334 the fruit of the Brisbane quandong tree +n12193665 graceful deciduous shrub or small tree having attractive foliage and small red berries that turn black at maturity and are used for making wine +n12194147 a fast-growing tropical American evergreen having white flowers and white fleshy edible fruit; bark yields a silky fiber used in cordage and wood is valuable for staves +n12194613 West Indian timber tree having very hard wood +n12195391 any tree of the genus Sterculia +n12195533 large deciduous tree native to Panama and from which the country takes its name; having densely leafy crown and naked trunk +n12195734 large tree of Old World tropics having foul-smelling orange-red blossoms followed by red pods enclosing oil-rich seeds sometimes used as food +n12196129 an Australian tree of the genus Brachychiton +n12196336 south Australian tree having panicles of brilliant scarlet flowers +n12196527 north Australian tree having white flowers and broad leaves +n12196694 widely distributed tree of eastern Australia yielding a tough durable fiber and soft light attractively grained wood; foliage is an important emergency food for cattle +n12196954 large tree of Queensland having cream-colored flowers blotched with red inside; sometimes placed in genus Sterculia +n12197359 tree bearing large brown nuts containing e.g. caffeine; source of cola extract +n12197601 bitter brown seed containing caffein; source of cola extract +n12198286 deciduous tree widely grown in southern United States as an ornamental for its handsome maplelike foliage and long racemes of yellow-green flowers followed by curious leaflike pods +n12198793 any of several handsome evergreen shrubs of California and northern Mexico having downy lobed leaves and showy yellow flowers +n12199266 a tree or shrub of the genus Helicteres +n12199399 East Indian shrub often cultivated for its hairy leaves and orange-red flowers +n12199790 large tree of Australasia +n12199982 large evergreen tree of India and Burma whose leaves are silvery beneath +n12200143 small tree of coastal regions of Old World tropics whose leaves are silvery beneath +n12200504 African shrub having decumbent stems and slender yellow honey-scented flowers either solitary or in pairs +n12200905 Indian tree having fragrant nocturnal white flowers and yielding a reddish wood used for planking; often grown as an ornamental or shade tree +n12201331 Australian timber tree +n12201580 tropical American tree producing cacao beans +n12201938 large west African tree having large palmately lobed leaves and axillary cymose panicles of small white flowers and one-winged seeds; yields soft white to pale yellow wood +n12202936 any of various deciduous trees of the genus Tilia with heart-shaped leaves and drooping cymose clusters of yellowish often fragrant flowers; several yield valuable timber +n12203529 large American shade tree with large dark green leaves and rounded crown +n12203699 large spreading European linden with small dark green leaves; often cultivated as an ornamental +n12203896 American basswood of the Allegheny region +n12204032 medium-sized tree of Japan used as an ornamental +n12204175 large tree native to eastern Europe and Asia Minor having leaves with white tomentum on the under side; widely cultivated as an ornamental +n12204730 any of various plants of the genus Corchorus having large leaves and cymose clusters of yellow flowers; a source of jute +n12205460 large shrub of South Africa having many conspicuously hairy branches with large hairy leaves and clusters of conspicuous white flowers +n12205694 a plant lacking a permanent woody stem; many are flowering garden plants or potherbs; some having medicinal properties; some are pests +n12214789 any tropical African shrub of the genus Protea having alternate rigid leaves and dense colorful flower heads resembling cones +n12215022 South African shrub whose flowers when open are cup-shaped resembling artichokes +n12215210 Australian shrub whose flowers yield honey copiously +n12215579 any shrub or tree of the genus Banksia having alternate leathery leaves apetalous yellow flowers often in showy heads and conelike fruit with winged seeds +n12215824 shrubby tree with silky foliage and spikes of cylindrical yellow nectarous flowers +n12216215 any of various shrubs of the genus Conospermum with panicles of mostly white woolly flowers +n12216628 grown for outstanding display of brilliant usually scarlet-crimson flowers; Andes +n12216968 Chilean shrub bearing coral-red fruit with an edible seed resembling a hazelnut +n12217453 any shrub or tree of the genus Grevillea +n12217851 tall shrub with cylindrical racemes of red flowers and pinnatifid leaves silky and grey beneath; eastern Australia +n12218274 medium to tall fast-growing tree with orange flowers and feathery bipinnate leaves silky-hairy beneath; eastern Australia +n12218490 tree yielding hard heavy reddish wood +n12218868 tall straggling shrub with large globose crimson-yellow flowers; western Australia +n12219668 slender elegant tree of New Zealand having racemes of red flowers and yielding valuable mottled red timber +n12220019 erect bushy shrub of eastern Australia having terminal clusters of red flowers yielding much nectar +n12220496 small South African tree with long silvery silky foliage +n12220829 any of various ornamental evergreens of the genus Lomatia having attractive fragrant flowers +n12221191 any tree of the genus Macadamia +n12221368 medium-sized tree of eastern Australia having creamy-white flowers +n12221522 small Australian tree with racemes of pink flowers; widely cultivated (especially in Hawaii) for its sweet edible nuts +n12221801 bushy tree with pink to purple flowers +n12222090 Australian tree having alternate simple leaves (when young they are pinnate with prickly toothed margins) and slender axillary spikes of white flowers +n12222493 any of numerous shrubs and small trees having hard narrow leaves and long-lasting yellow or white flowers followed by small edible but insipid fruits +n12222900 eastern Australian tree widely cultivated as a shade tree and for its glossy leaves and circular clusters of showy red to orange-scarlet flowers +n12223160 tree or tall shrub with shiny leaves and umbels of fragrant creamy-white flowers; yields hard heavy reddish wood +n12223569 tall shrub of eastern Australia having oblanceolate to obovate leaves and red flowers in compact racemes +n12223764 straggling shrub with narrow leaves and conspicuous red flowers in dense globular racemes +n12224978 any of various trees and shrubs of the genus Casuarina having jointed stems and whorls of scalelike leaves; some yield heavy hardwood +n12225222 any of several Australian trees of the genus Casuarina +n12225349 any of several Australian trees of the genus Casuarina yielding heavy hard red wood used in cabinetwork +n12225563 common Australian tree widely grown as an ornamental in tropical regions; yields heavy hard red wood +n12226932 a low evergreen shrub of the family Ericaceae; has small bell-shaped pink or purple flowers +n12227658 evergreen treelike Mediterranean shrub having fragrant white flowers in large terminal panicles and hard woody roots used to make tobacco pipes +n12227909 hard woody root of the briar Erica arborea +n12228229 dwarf European shrub with very early blooming bell-shaped red flowers +n12228387 common low European shrub with purple-red flowers +n12228689 bushy shrub having pink to white flowers; common on the moors of Cornwall and in southwestern Europe; cultivated elsewhere +n12228886 erect dense shrub native to western Iberian peninsula having profuse white or pink flowers; naturalized in southwestern England +n12229111 South African shrub grown for its profusion of white flowers +n12229651 wiry evergreen shrub having pendent clusters of white or pink flowers; of wet acidic areas in Arctic and Canada to northeastern United States +n12229887 erect to procumbent evergreen shrub having pendent clusters of white or pink flowers; of sphagnum peat bogs and other wet acidic areas in northern Europe +n12230540 evergreen tree of the Pacific coast of North America having glossy leathery leaves and orange-red edible berries; wood used for furniture and bark for tanning +n12230794 small evergreen European shrubby tree bearing many-seeded scarlet berries that are edible but bland; of Ireland, southern Europe, Asia Minor +n12231192 chiefly evergreen subshrubs of northern to Arctic areas +n12231709 deciduous creeping shrub bright red in autumn having black or blue-black berries; alpine and circumpolar +n12232114 erect California shrub having leaves with heart-shaped lobes at the base +n12232280 erect treelike shrub forming dense thickets and having drooping panicles of white or pink flowers and red berrylike drupes; California +n12232851 small evergreen mat-forming shrub of southern Europe and Asia Minor having stiff stems and terminal clusters of small bell-shaped flowers +n12233249 procumbent Old World mat-forming evergreen shrub with racemes of pinkish-white flowers +n12234318 north temperate bog shrub with evergreen leathery leaves and small white cylindrical flowers +n12234669 low straggling evergreen shrub of western Europe represented by several varieties with flowers from white to rose-purple +n12235051 low-growing evergreen shrub of eastern North America with leathery leaves and clusters of fragrant pink or white flowers +n12235479 slow-growing procumbent evergreen shrublet of northern North America and Japan having white flowers and numerous white fleshy rough and hairy seeds +n12236160 small evergreen shrub of Pacific coast of North America having edible dark purple grape-sized berries +n12236546 any of several shrubs of the genus Gaylussacia bearing small berries resembling blueberries +n12236768 low shrub of the eastern United States bearing shiny black edible fruit; best known of the huckleberries +n12236977 huckleberry of the eastern United States with pink flowers and sweet blue fruit +n12237152 creeping evergreen shrub of southeastern United States having small shiny boxlike leaves and flavorless berries +n12237486 any plant of the genus Kalmia +n12237641 a North American evergreen shrub having glossy leaves and white or rose-colored flowers +n12237855 laurel of bogs of northwestern United States having small purple flowers and pale leaves that are glaucous beneath +n12238756 a Rocky Mountain shrub similar to Ledum groenlandicum +n12238913 bog shrub of northern and central Europe and eastern Siberia to Korea and Japan +n12239240 low-growing evergreen shrub of New Jersey to Florida grown for its many white star-shaped flowers and glossy foliage +n12239647 any plant of the genus Leucothoe; grown for their beautiful white flowers; glossy foliage contains a poisonous substance similar to that found in genus Kalmia +n12239880 fast-growing evergreen shrub of southeastern United States having arching interlaced branches and racemes of white flowers +n12240150 bushy deciduous shrub of the eastern United States with long racemes of pinkish flowers +n12240477 creeping mat-forming evergreen shrub of high mountain regions of northern hemisphere grown for its rose-pink flowers +n12240965 deciduous shrub of coastal plain of the eastern United States having nodding pinkish-white flowers; poisonous to stock +n12241192 deciduous much-branched shrub with dense downy panicles of small bell-shaped white flowers +n12241426 showy evergreen shrub of southeastern United States with shiny leaves and angled branches and clusters of pink to reddish flowers that resemble an umbel +n12241880 straggling shrub of northwestern North America having foliage with a bluish tinge and umbels of small bell-shaped flowers +n12242123 low shrub of the eastern United States with downy twigs +n12242409 deciduous shrubby tree of eastern North America having deeply fissured bark and sprays of small fragrant white flowers and sour-tasting leaves +n12242850 small shrub with tiny evergreen leaves and pink or purple flowers; Alpine summits and high ground in Asia and Europe and United States +n12243109 semi-prostrate evergreen herb of western United States +n12243693 ornamental evergreen shrub of southeastern United States having small white bell-shaped flowers +n12244153 any shrub of the genus Rhododendron: evergreen shrubs or small shrubby trees having leathery leaves and showy clusters of campanulate (bell-shaped) flowers +n12244458 medium-sized rhododendron of Pacific coast of North America having large rosy brown-spotted flowers +n12244650 late-spring-blooming rhododendron of eastern North America having rosy to pink-purple flowers +n12244819 shrub growing in swamps throughout the eastern United States and having small white to pinkish flowers resembling honeysuckle +n12245319 any of numerous ornamental shrubs grown for their showy flowers of various colors +n12245695 any of numerous shrubs of genus Vaccinium bearing cranberries +n12245885 trailing red-fruited plant +n12246037 small red-fruited trailing cranberry of Arctic and cool regions of the northern hemisphere +n12246232 any of numerous shrubs of the genus Vaccinium bearing blueberries +n12246773 shrub or small tree of eastern United States having black inedible berries +n12246941 low-growing deciduous shrub of northeastern North America having flowers in compact racemes and bearing sweet dark blue berries +n12247202 shrub of southeastern United States grown commercially especially for canning industry +n12247407 low-growing tufted deciduous shrub of northern and alpine North America having pink to coral-red flowers followed by sweet blue berries +n12247963 shrub of the eastern United States having shining evergreen leaves and bluish-black fruit +n12248141 stiff bushy evergreen shrub of western North America having sour black berries and glossy green foliage used in floral arrangements +n12248359 erect blueberry of western United States having solitary flowers and somewhat sour berries +n12248574 erect European blueberry having solitary flowers and blue-black berries +n12248780 an evergreen shrub with leathery leaves +n12248941 low deciduous shrub of the eastern United States bearing dark blue sweet berries +n12249122 shrub of northwestern North America bearing red berries +n12249294 small branching blueberry common in marshy areas of the eastern United States having greenish or yellowish unpalatable berries reputedly eaten by deer +n12249542 low evergreen shrub of high north temperate regions of Europe and Asia and America bearing red edible berries +n12251001 any boreal low-growing evergreen plant of the genus Diapensia +n12251278 tufted evergreen perennial herb having spikes of tiny white flowers and glossy green round to heart-shaped leaves that become coppery to maroon or purplish in fall +n12251740 creeping evergreen shrub having narrow overlapping leaves and early white star-shaped flowers; of the pine barrens of New Jersey and the Carolinas +n12252168 any plant of the genus Shortia; evergreen perennial herbs with smooth leathery basal leaves and showy white solitary flowers +n12252383 plant of southeastern United States having solitary white funnel-shaped flowers flushed with pink and large glossy green leaves that turn bronze-red in fall +n12252866 any heathlike plant of the family Epacridaceae; most are of the Australian region +n12253229 any heathlike evergreen shrub of the genus Epacris grown for their showy and crowded spikes of small bell-shaped or tubular flowers +n12253487 spindly upright shrub of southern Australia and Tasmania having white to rose or purple-red flowers +n12253664 small erect shrub of Australia and Tasmania with fragrant ivory flowers +n12253835 small shrub of southern and western Australia having pinkish to rosy purple tubular flowers +n12254168 small prostrate or ascending shrub having scarlet flowers and succulent fruit resembling cranberries; sometimes placed in genus Styphelia +n12255225 heathlike shrub of southwestern Australia grown for its sharply scented foliage and pink flowers followed by pentagonal fruit +n12256112 any of several evergreen perennials of the genus Pyrola +n12256325 evergreen of eastern North America with leathery leaves and numerous white flowers +n12256522 the common wintergreen having many-flowered racemes of pink-tinged white flowers; Europe and North America +n12256708 North American evergreen with small pinkish bell-shaped flowers and oblong leaves used formerly for shinplasters +n12256920 evergreen with rounded leaves and very fragrant creamy-white flowers; widely distributed in northern parts of Old and New Worlds +n12257570 any of several plants of the genus Chimaphila +n12257725 Eurasian herb with white or pinkish flowers in a terminal corymb +n12258101 delicate evergreen dwarf herb of north temperate regions having a solitary white terminal flower; sometimes placed in genus Pyrola +n12258885 small waxy white or pinkish-white saprophytic woodland plant having scalelike leaves and a nodding flower; turns black with age +n12259316 fleshy tawny or reddish saprophytic herb resembling the Indian pipe and growing in woodland humus of eastern North America; in some classifications placed in a separate genus Hypopitys +n12260799 any of several large deciduous trees with rounded spreading crowns and smooth grey bark and small sweet edible triangular nuts enclosed in burs; north temperate regions +n12261359 large European beech with minutely-toothed leaves; widely planted as an ornamental in North America +n12261571 variety of European beech with shining purple or copper-colored leaves +n12261808 North American forest tree with light green leaves and edible nuts +n12262018 variety of European beech with pendulous limbs +n12262185 a beech native to Japan having soft light yellowish-brown wood +n12262553 any of several attractive deciduous trees yellow-brown in autumn; yield a hard wood and edible nuts in a prickly bur +n12263038 large tree found from Maine to Alabama +n12263204 wild or cultivated throughout southern Europe, northwestern Africa and southwestern Asia +n12263410 a small tree with small sweet nuts; wild or naturalized in Korea and China +n12263588 a spreading tree of Japan that has a short trunk +n12263738 shrubby chestnut tree of southeastern United States having small edible nuts +n12263987 shrubby tree closely related to the Allegheny chinkapin but with larger leaves; southern midwestern United States +n12264512 a tree of the genus Castanopsis +n12264786 small ornamental evergreen tree of Pacific Coast whose glossy yellow-green leaves are yellow beneath; bears edible nuts +n12265083 evergreen shrub similar to golden chinkapin; mountains of California +n12265394 evergreen tree of the Pacific coast area having large leathery leaves; yields tanbark +n12265600 small evergreen tree of China and Japan +n12266217 any of various beeches of the southern hemisphere having small usually evergreen leaves +n12266528 large evergreen tree of Tasmania +n12266644 Chilean evergreen whose leafy boughs are used for thatching +n12266796 any of several tall New Zealand trees of the genus Nothofagus; some yield useful timber +n12266984 New Zealand beech with usually pale silvery bark +n12267133 tall deciduous South American tree +n12267265 large Chilean timber tree yielding coarse lumber +n12267411 New Zealand forest tree +n12267534 tall New Zealand tree yielding very hard wood +n12267677 fruit of the oak tree: a smooth thin-walled nut in a woody cup-shaped base +n12267931 cup-shaped structure of hardened bracts at the base of an acorn +n12268246 a deciduous tree of the genus Quercus; has acorns and lobed leaves +n12269241 any of several American evergreen oaks +n12269406 highly variable often shrubby evergreen oak of coastal zone of western North America having small thick usually spiny-toothed dark-green leaves +n12269652 any of numerous Old World and American oaks having 6 to 8 stamens in each floret, acorns that mature in one year and leaf veins that never extend beyond the margin of the leaf +n12270027 large slow-growing deciduous tree of the eastern United States having stout spreading branches and leaves with usually 7 rounded lobes; yields strong and durable hard wood +n12270278 semi-evergreen shrub or small tree of Arizona and New Mexico having acorns with hemispherical cups +n12270460 large deciduous oak of the eastern United States with a flaky bark and leaves that have fewer lobes than other white oaks; yields heavy strong wood used in construction; thrives in wet soil +n12270741 large deciduous tree of central and southern Europe and Asia Minor having lanceolate leaves with spiked lobes +n12270946 medium-sized evergreen of southwestern United States and northwestern Mexico with oblong leathery often spiny-edged leaves +n12271187 medium-large deciduous tree with a thick trunk found in the eastern United States and southern Canada and having close-grained wood and deeply seven-lobed leaves turning scarlet in autumn +n12271451 small to medium deciduous oak of east central North America; leaves have sharply pointed lobes +n12271643 any of numerous American oaks having 4 stamens in each floret, acorns requiring two years to mature and leaf veins usually extending beyond the leaf margin to form points or bristles +n12271933 large round-topped deciduous tree with spreading branches having narrow falcate leaves with deeply sinuate lobes and wood similar to that of northern red oaks; New Jersey to Illinois and southward +n12272239 small deciduous tree of western North America with crooked branches and pale grey bark +n12272432 evergreen oak of southern Europe having leaves somewhat resembling those of holly; yields a hard wood +n12272735 shrubby oak of southeastern United States usually forming dense thickets +n12272883 small deciduous tree of eastern and central United States having leaves that shine like laurel; wood is used in western states for shingles +n12273114 small semi-evergreen shrubby tree of southeastern United States having hairy young branchlets and leaves narrowing to a slender bristly point +n12273344 large deciduous tree of the Pacific coast having deeply parted bristle-tipped leaves +n12273515 small slow-growing deciduous shrubby tree of dry sandy barrens of southeastern United States having leaves with bristle-tipped lobes resembling turkey's toes +n12273768 large nearly semi-evergreen oak of southeastern United States; thrives in damp soil +n12273939 tall graceful deciduous California oak having leathery leaves and slender pointed acorns +n12274151 medium-large deciduous timber tree of central and southern United States; acorns deeply immersed in the cup and mature in first year +n12274358 medium to large deciduous oak of central and eastern North America with ovoid acorns deeply immersed in large fringed cups; yields tough close-grained wood +n12274630 any of various chiefly American small shrubby oaks often a dominant form on thin dry soils sometimes forming dense thickets +n12274863 a common scrubby deciduous tree of central and southeastern United States having dark bark and broad three-lobed (club-shaped) leaves; tends to form dense thickets +n12275131 medium to large deciduous tree of moist areas of southeastern United States similar to the basket oak +n12275317 oak with moderately light fine-grained wood; Japan +n12275489 an oak having leaves resembling those of chestnut trees +n12275675 medium-sized deciduous tree of the eastern United States that yields a strong durable wood +n12275888 small evergreen shrub or tree of southeastern United States; often forms almost impenetrable thickets in sandy coastal areas +n12276110 relatively tall deciduous water oak of southeastern United States often cultivated as a shade tree; thrives in wet soil +n12276314 similar to the pin oak; grows in damp sites in Mississippi River basin +n12276477 deciduous European oak valued for its tough elastic wood +n12276628 medium to large deciduous tree of the eastern United States; its durable wood is used as timber or split and woven into baskets or chair seats +n12276872 fast-growing medium to large pyramidal deciduous tree of northeastern United States and southeastern Canada having deeply pinnatifid leaves that turn bright red in autumn; thrives in damp soil +n12277150 medium to large deciduous oak of the eastern United States having long lanceolate leaves and soft strong wood +n12277334 deciduous shrubby tree of northeastern and central United States having a sweet edible nut and often forming dense thickets +n12277578 medium to large deciduous European oak having smooth leaves with rounded lobes; yields hard strong light-colored wood +n12277800 large symmetrical deciduous tree with rounded crown widely distributed in eastern North America; has large leaves with triangular spiny tipped lobes and coarse-grained wood less durable than that of white oaks +n12278107 large deciduous red oak of southern and eastern United States having large seven-lobed to nine-lobed elliptical leaves, large acorns and medium hard coarse-grained wood +n12278371 small deciduous tree of eastern and central United States having dark green lyrate pinnatifid leaves and tough moisture-resistant wood used especially for fence posts +n12278650 medium-sized evergreen oak of southern Europe and northern Africa having thick corky bark that is periodically stripped to yield commercial cork +n12278865 small deciduous tree having the trunk branched almost from the base with spreading branches; Texas and southern Oklahoma +n12279060 a low spreading or prostrate shrub of southwestern United States with small acorns and leaves resembling those of the huckleberry +n12279293 medium to large deciduous tree of China, Japan, and Korea having thick corky bark +n12279458 medium to large deciduous timber tree of the eastern United States and southeastern Canada having dark outer bark and yellow inner bark used for tanning; broad five-lobed leaves are bristle-tipped +n12279772 medium-sized evergreen native to eastern North America to the east coast of Mexico; often cultivated as shade tree for it wide-spreading crown; extremely hard tough durable wood once used in shipbuilding +n12280060 a small shrubby evergreen tree of western North America similar to the coast live oak but occurring chiefly in foothills of mountain ranges removed from the coast; an important part of the chaparral +n12280364 nuts of forest trees (as beechnuts and acorns) accumulated on the ground +n12281241 any betulaceous tree or shrub of the genus Betula having a thin peeling bark +n12281788 tree of eastern North America with thin lustrous yellow or grey bark +n12281974 small American birch with peeling white bark often worked into e.g. baskets or toy canoes +n12282235 medium-sized birch of eastern North America having white or pale grey bark and valueless wood; occurs often as a second-growth forest tree +n12282527 European birch with silvery white peeling bark and markedly drooping branches +n12282737 European birch with dull white to pale brown bark and somewhat drooping hairy branches +n12282933 birch of swamps and river bottoms throughout the eastern United States having reddish-brown bark +n12283147 common birch of the eastern United States having spicy brown bark yielding a volatile oil and hard dark wood used for furniture +n12283395 Alaskan birch with white to pale brown bark +n12283542 birch of western United States resembling the paper birch but having brownish bark +n12283790 small shrub of colder parts of North America and Greenland +n12284262 north temperate shrubs or trees having toothed leaves and conelike fruit; bark is used in tanning and dyeing and the wood is rot-resistant +n12284821 medium-sized tree with brown-black bark and woody fruiting catkins; leaves are hairy beneath +n12285049 native to Europe but introduced in America +n12285195 shrub or small tree of southeastern United States having soft light brown wood +n12285369 tree of western United States +n12285512 large tree of Pacific coast of North America having hard red wood much used for furniture +n12285705 common shrub of Canada and northeastern United States having shoots scattered with rust-colored down +n12285900 common shrub of the eastern United States with smooth bark +n12286068 shrub of mountainous areas of Europe +n12286197 North American shrub with light green leaves and winged nuts +n12286826 any of several trees or shrubs of the genus Carpinus +n12286988 medium-sized Old World tree with smooth grey bark and leaves like beech that turn yellow-orange in autumn +n12287195 tree or large shrub with grey bark and blue-green leaves that turn red-orange in autumn +n12287642 any of several trees resembling hornbeams with fruiting clusters resembling hops +n12287836 medium-sized hop hornbeam of southern Europe and Asia Minor +n12288005 medium-sized hop hornbeam of eastern North America +n12288823 any of several shrubs or small trees of the genus Corylus bearing edible nuts enclosed in a leafy husk +n12289310 nut-bearing shrub of eastern North America +n12289433 small nut-bearing tree much grown in Europe +n12289585 hazel of western United States with conspicuous beaklike involucres on the nuts +n12290748 any of various plants of the genus Centaurium +n12290975 erect plant with small clusters of pink trumpet-shaped flowers of southwestern United States +n12291143 common European glabrous annual centaury with flowers in dense cymes +n12291459 a variety of centaury found at the seaside +n12291671 a slender variety of centaury +n12291959 one of the most handsome prairie wildflowers having large erect bell-shaped bluish flowers; of moist places in prairies and fields from eastern Colorado and Nebraska south to New Mexico and Texas +n12292463 perennial cultivated especially as a houseplant for its fragrant bluish to dark lavender flowers +n12292877 any of various tall perennial herbs constituting the genus Frasera; widely distributed in warm dry upland areas of California, Oregon, and Washington +n12293723 any of various plants of the family Gentianaceae especially the genera Gentiana and Gentianella and Gentianopsis +n12294124 low-growing alpine plant cultivated for its dark glossy green leaves in basal rosettes and showy solitary bell-shaped blue flowers +n12294331 gentian of eastern North America having tubular blue or white flowers that open little if at all +n12294542 tufted sometimes sprawling perennial with blue flowers spotted with green; western North America +n12294723 similar to Gentiana andrewsii but with larger flowers +n12294871 robust European perennial having clusters of yellow flowers +n12295033 perennial Eurasian gentian with sky-blue funnel-shaped flowers of damp open heaths +n12295237 erect perennial of wet woodlands of North America having leaves and flower buds resembling those of soapwort +n12295429 a perennial marsh gentian of eastern North America +n12295796 gentian of eastern North America having clusters of bristly blue flowers +n12296045 gentian of Europe and China having creamy white flowers with fringed corollas +n12296432 any of various herbs of the genus Gentianopsis having the margins of the corolla lobes fringed; sometimes included in genus Gentiana +n12296735 tall widely distributed fringed gentian of eastern North America having violet-blue or white fringed flowers +n12296929 medium-tall fringed gentian with pale-blue to blue-purple flowers; circumboreal in distribution +n12297110 small blue-flowered fringed gentian of east central North America +n12297280 small blue-flowered fringed gentian of western United States (Rocky Mountains) especially around hot springs in Yellowstone National Park +n12297507 small blue-flowered fringed gentian of Sierra Nevada mountains +n12297846 any of various plants of the genus Halenia having flowers with spurred lobes +n12298165 any of various plants of the genus Sabbatia having usually pink cymose flowers; occur from acid bogs to brackish marshes +n12299640 glabrous or pubescent evergreen shrub or tree of the genus Salvadora; twigs are fibrous and in some parts of the world are bound together in clusters and used as a toothbrush; shoots are used as camel fodder; plant ash provides salt +n12300840 a tree of the genus Olea cultivated for its fruit +n12301180 evergreen tree cultivated in the Mediterranean region since antiquity and now elsewhere; has edible shiny black fruits +n12301445 small ovoid fruit of the European olive tree; important food and source of oil +n12301613 northern Zealand tree having dense hard light-brown wood +n12301766 small New Zealand tree having red pulpy one-seeded fruit +n12302071 any of various small decorative flowering trees or shrubs of the genus Chionanthus +n12302248 small bushy tree of southeastern United States having profuse clusters of white flowers +n12302565 any plant of the genus Forestiera +n12303083 any of various early blooming oleaceous shrubs of the genus Forsythia; native to eastern Asia and southern Europe but widely cultivated for their branches of bright yellow bell-shaped flowers +n12303462 any of various deciduous pinnate-leaved ornamental or timber trees of the genus Fraxinus +n12304115 spreading American ash with leaves pale green or silvery beneath and having hard brownish wood +n12304286 small ash of swampy areas of southeastern United States +n12304420 shrubby ash of southwestern United States having fragrant white flowers +n12304703 tall ash of Europe to the Caucasus having leaves shiny dark-green above and pale downy beneath +n12304899 timber tree of western North America yielding hard light wood; closely related to the red ash +n12305089 vigorous spreading North American tree having dark brown heavy wood; leaves turn gold in autumn +n12305293 southern Mediterranean ash having fragrant white flowers in dense panicles and yielding manna +n12305475 smallish American tree with velvety branchlets and lower leaf surfaces +n12305654 a variety of red ash having glossy branchlets and lower leaf surfaces +n12305819 ash of central and southern United States with bluish-green foliage and hard brown wood +n12305986 low-growing ash of Texas +n12306089 timber tree of central and southeastern United States having hairy branchlets and a swollen trunk base +n12306270 small shrubby ash of southwestern United States and northwestern Mexico +n12306717 any of several shrubs and vines of the genus Jasminum chiefly native to Asia +n12306938 evergreen rambling yellow-flowered shrub of western China +n12307076 deciduous rambling shrub widely cultivated for its winter-blooming yellow flowers +n12307240 a climbing deciduous shrub with fragrant white or yellow or red flowers used in perfume and to flavor tea +n12307756 any of various Old World shrubs having smooth entire leaves and terminal panicles of small white flowers followed by small black berries; many used for hedges +n12308112 eastern Asian shrub cultivated especially for its persistent foliage +n12308447 evergreen shrub of Japan and Korea having small dark leaves and flowers in loose panicles; related to but smaller than Chinese privet +n12308907 small deciduous shrub having graceful arching branches and luxuriant foliage +n12309277 deciduous semi-evergreen shrub used for hedges +n12309630 small tree of southern United States having panicles of dull white flowers followed by dark purple fruits +n12310021 evergreen shrub with white flowers and olivelike fruits +n12310349 any of various plants of the genus Syringa having large panicles of usually fragrant flowers +n12310638 robust upright shrub of mountains of northern India having oblong-elliptic leaves and pale lilac or white malodorous flowers +n12311045 small densely branching Asiatic shrub having lanceolate leaves and panicles of fragrant lilac flowers +n12311224 small tree of Japan having narrow pointed leaves and creamy-white flowers +n12311413 lilac of northern China having ovate leaves and profuse early summer rose-lilac flowers +n12311579 large European lilac naturalized in North America having heart-shaped ovate leaves and large panicles of highly fragrant lilac or white flowers +n12312110 any of various plants of the family Haemodoraceae; roots contain a deep red coloring matter +n12312728 sedgelike spring-flowering herb having clustered flowers covered with woolly hairs; Australia +n12315060 common shrub of eastern North America having small yellow flowers after the leaves have fallen +n12315245 fragrant shrub of lower Mississippi valley having very small flowers from midwinter to spring +n12315598 any of several Asiatic deciduous shrubs cultivated for their nodding racemes of yellow flowers that appear before the leaves +n12315999 any of several deciduous low-growing shrubs of the genus Fothergilla having showy brushlike spikes of white flowers in spring and fiery red and orange autumn color; grows from Alabama to the Allegheny Mountains +n12316444 any tree of the genus Liquidambar +n12316572 a North American tree of the genus Liquidambar having prickly spherical fruit clusters and fragrant sap +n12317296 a small slow-growing deciduous tree of northern Iran having a low domed shape +n12318378 any of various trees of the genus Juglans +n12318782 medium-sized tree with somewhat aromatic compound leaves and edible nuts +n12318965 North American walnut tree having light-brown wood and edible nuts; source of a light-brown dye +n12319204 North American walnut tree with hard dark wood and edible nut +n12319414 Eurasian walnut valued for its large edible nut and its hard richly figured wood; widely cultivated +n12320010 American hardwood tree bearing edible nuts +n12320414 hickory of southern United States having many narrow leaflets and rather bitter nuts +n12320627 an American hickory tree having bitter nuts +n12320806 hickory of the eastern United States having a leaves with 7 or 9 leaflets and thin-shelled very bitter nuts +n12321077 tree of southern United States and Mexico cultivated for its nuts +n12321395 hickory of the eastern United States resembling the shagbark but having a much larger nut +n12321669 hickory of southern United States and Mexico having hard nutmeg-shaped nuts +n12321873 North American hickory having loose grey shaggy bark and edible nuts +n12322099 smooth-barked North American hickory with 7 to 9 leaflets bearing a hard-shelled edible nut +n12322501 any tree of the genus Pterocarya; fruit is a small winged nutlet; Caucasus to southeastern Asia +n12322699 medium-sized Caucasian much-branched tree distinguished from other walnut trees by its winged fruit +n12323665 an Indian tree of the family Combretaceae that is a source of timber and gum +n12324056 any of numerous shrubs or small trees of the genus Combretum having spikes of small flowers +n12324222 ornamental African shrub or climber with red flowers +n12324388 small deciduous tree of the Transvaal having spikes of yellow flowers +n12324558 small South African tree having creamy yellow fragrant flowers usually growing on stream banks +n12324906 evergreen tree or shrub with fruit resembling buttons and yielding heavy hard compact wood +n12325234 shrub to moderately large tree that grows in brackish water along the seacoasts of western Africa and tropical America; locally important as a source of tannin +n12325787 any of several shrubs of the genus Elaeagnus having silver-white twigs and yellow flowers followed by olivelike fruits +n12327022 an aquatic plant of the genus Myriophyllum having feathery underwater leaves and small inconspicuous flowers +n12327528 West Indian tree bearing edible fruit resembling mango +n12327846 tall South American tree bearing brazil nuts +n12328398 any of numerous herbs and subshrubs of the genus Lythrum +n12328567 marsh herb with a long spike of purple flowers; originally of Europe but now rampant in eastern United States +n12328801 annual with small solitary pink flowers; originally of Europe but widely naturalized in moist areas +n12329260 ornamental shrub from eastern India commonly planted in the southern United States +n12329473 native to Asia, Australia, and East Indies, where it provides timber called pyinma; used elsewhere as an ornamental for its large showy flowers +n12330239 trees and shrubs +n12330469 any evergreen shrub or tree of the genus Myrtus +n12330587 European shrub with white or rosy flowers followed by black berries +n12330891 West Indian tree; source of bay rum +n12331066 aromatic West Indian tree that produces allspice berries +n12331263 tropical American tree having small white flowers and aromatic berries +n12331655 Australian tree with sour red fruit +n12331788 tree of extreme southern Florida and West Indies having thin scaly bark and aromatic fruits and seeds and yielding hard heavy close-grained zebrawood +n12332030 Brazilian tree with spicy red fruit; often cultivated in California and Florida +n12332218 tropical tree of the East Indies cultivated for its edible fruit +n12332555 South American shrub having edible greenish plumlike fruit +n12333053 small evergreen tropical tree native to Brazil and West Indies but introduced into southern United States; grown in Brazil for its edible tough-skinned purple grapelike fruit that grows all along the branches +n12333530 small tropical American shrubby tree; widely cultivated in warm regions for its sweet globular yellow fruit +n12333771 small tropical shrubby tree bearing small yellowish fruit +n12333961 small tropical shrubby tree bearing deep red oval fruit +n12334153 South American tree having fruit similar to the true guava +n12334293 any of various trees of the genera Eucalyptus or Liquidambar or Nyssa that are sources of gum +n12334891 a tree of the genus Eucalyptus +n12335483 any of several Australian gum trees growing on moist or alluvial soil +n12335664 any of several low-growing Australian eucalypts +n12335800 any of several Australian eucalypts having fibrous inner bark +n12335937 any of several Australian eucalypts having the bark smooth except at or near the base of the trunk +n12336092 red gum tree of Tasmania +n12336224 very large red gum tree +n12336333 somewhat crooked red gum tree growing chiefly along rivers; has durable reddish lumber used in heavy construction +n12336586 medium-sized swamp gum of New South Wales and Victoria +n12336727 small to medium-sized tree of Australia and Tasmania having smooth white to light-grey bark shedding in patches or strips +n12336973 tall timber tree with hard heavy pinkish or light brown wood +n12337131 small shrubby mallee +n12337246 stringybark having white wood +n12337391 large tree with dark compact bark on lower trunk but smooth and white above; yields lumber similar to that of European or American ashes +n12337617 tall fast-growing timber tree with leaves containing a medicinal oil; young leaves are bluish +n12337800 very tall tree of Queensland and New South Wales +n12337922 small to medium-sized tree of Tasmania +n12338034 medium-sized tree of southern Australia +n12338146 large gum tree with mottled bark +n12338258 similar to but smaller than the spotted gum and having lemon-scented leaves +n12338454 a small mallee with rough dark-colored bark toward the butt; yields a red eucalyptus kino gum +n12338655 tall tree of Queensland and New South Wales and Victoria +n12338796 tree having wood similar to the alpine ash; tallest tree in Australia and tallest hardwood in the world +n12338979 tall tree yielding a false manna +n12339526 moderate sized very symmetrical red-flowered evergreen widely cultivated in the tropics for its flower buds which are source of cloves +n12339831 aromatic flower bud of a clove tree; yields a spice +n12340383 any of several gum trees of swampy areas of North America +n12340581 columnar swamp tree of southeastern to midwestern North America yielding pale soft easily worked wood +n12340755 columnar tree of eastern North America having horizontal limbs and small leaves that emerge late in spring and have brilliant color in early fall +n12341542 any of several erect perennial rhizomatous herbs of the genus Circaea having white flowers that open at dawn; northern hemisphere +n12341931 tall evening primrose with inconspicuous flowers +n12342299 a plant of the genus Epilobium having pink or yellow flowers and seeds with silky hairs +n12342498 tall North American perennial with creeping rootstocks and narrow leaves and spikes of pinkish-purple flowers occurring in great abundance in burned-over areas or recent clearings; an important honey plant +n12342852 shrublet of southwestern United States to Mexico having brilliant scarlet flowers +n12343480 any of various tropical shrubs widely cultivated for their showy drooping purplish or reddish or white flowers; Central and South America and New Zealand and Tahiti +n12343753 erect or climbing shrub of Brazil with deep pink to red flowers +n12344283 any of several plants of the family Onagraceae +n12344483 a coarse biennial of eastern North America with yellow flowers that open in the evening; naturalized in Europe +n12344700 a day-flowering biennial or perennial of the genus Oenothera +n12344837 evening-opening primrose of south central United States +n12345280 shrub or small tree native to southwestern Asia having large red many-seeded fruit +n12345899 a tropical tree or shrub bearing fruit that germinates while still on the tree and having numerous prop roots that eventually form an impenetrable mass and are important in land building +n12346578 any of several ornamental shrubs with shiny mostly evergreen leaves and clusters of small bell-shaped flowers +n12346813 widely cultivated low evergreen shrub with dense clusters of fragrant pink to deep rose flowers +n12346986 bushy Eurasian shrub with glossy leathery oblong leaves and yellow-green flowers +n12347158 small European deciduous shrub with fragrant lilac-colored flowers followed by red berries on highly toxic twigs +n12349315 evergreen spreading shrub of India and southeastern Asia having large purple flowers +n12349711 a beautiful tropical evergreen epiphytic shrub grown for its lush foliage and huge panicles of pink flowers; Philippines +n12350032 any of several plants of the genus Rhexia usually having pink-purple to magenta flowers; eastern North America +n12350758 any plant of the genus Canna having large sheathing leaves and clusters of large showy flowers +n12351091 canna grown especially for its edible rootstock from which arrowroot starch is obtained +n12351790 white-flowered West Indian plant whose root yields arrowroot starch +n12352287 any of several tropical and subtropical treelike herbs of the genus Musa having a terminal crown of large entire leaves and usually bearing hanging clusters of elongated fruits +n12352639 low-growing Asian banana tree cultivated especially in the West Indies for its clusters of edible yellow fruit +n12352844 Asiatic banana plant cultivated especially as a foliage plant in Japan +n12352990 a banana tree bearing hanging clusters of edible angular greenish starchy fruits; tropics and subtropics +n12353203 widely cultivated species of banana trees bearing compact hanging clusters of commercially important edible yellow fruit +n12353431 Philippine banana tree having leafstalks that yield Manila hemp used for rope and paper etc +n12353754 large evergreen arborescent herb having huge paddle-shaped leaves and bearing inedible fruit that resemble bananas but edible young flower shoots; sometimes placed in genus Musa +n12355760 perennial plants having thick branching aromatic rhizomes and leafy reedlike stems +n12356023 tropical Asian plant widely cultivated for its pungent root; source of gingerroot and powdered ginger +n12356395 widely cultivated tropical plant of India having yellow flowers and a large aromatic deep yellow rhizome; source of a condiment and a yellow dye +n12356960 southeastern Asian perennial with aromatic roots +n12357485 cultivated for its shining oblong leaves and arching clusters of white flowers with pink shading and crinkled yellow lips with variegated magenta stripes +n12357968 West African plant bearing pungent peppery seeds +n12358293 rhizomatous herb of India having aromatic seeds used as seasoning +n12360108 any of numerous plants of the genus Begonia grown for their attractive glossy asymmetrical leaves and colorful flowers in usually terminal cymes or racemes +n12360534 any of numerous begonias having fibrous rather than tuberous or rhizomatous roots +n12360684 any of numerous begonias having large tuberous roots +n12360817 any of numerous begonias having prominent shaggy creeping stems or rhizomes +n12360958 hybrid winter-blooming begonia grown for its many large pink flowers +n12361135 South American fibrous-rooted begonias having prominent basal leaf lobes suggesting angels' wings and racemes of coral-red flowers +n12361560 rhizomatous begonia with roundish fleshy leaves reddish colored beneath +n12361754 rhizomatous begonia having leaves with pointed lobes suggestive of stars and pink flowers +n12361946 any of numerous usually rhizomatous hybrid begonias derived from an East Indian plant having rough-textured leaves patterned in silver and bronze and purple and red-brown with inconspicuous flowers +n12362274 hybrid fibrous-rooted begonia having broad-ovate green to bronze-red leaves and small clusters of white or pink or red flowers; widely used as a bedding plant +n12362514 semi-tuberous begonia having peltate leaves and rose-pink flowers; Yemen +n12362668 any of numerous hybrid begonias having tuberous roots and variously colored flowers +n12363301 any of several evergreen trees or shrubs of the genus Dillenia grown for their foliage and nodding flowers resembling magnolias which are followed by fruit that is used in curries and jellies and preserves +n12363768 any of several Australasian evergreen vines widely cultivated in warm regions for their large bright yellow single flowers +n12364604 any of several East Indian trees of the genus Calophyllum having shiny leathery leaves and lightweight hard wood +n12364940 West Indian tree having racemes of fragrant white flowers and yielding a durable timber and resinous juice +n12365158 valuable timber tree of Panama +n12365285 tropical American tree; valued for its hard durable wood +n12365462 East Indian tree having racemes of fragrant white flowers; coastal areas southern India to Malaysia +n12365900 an aromatic tree of the genus Clusia having large white or yellow or pink flowers +n12366053 a West Indies clusia having fig-shaped fruit +n12366186 epiphytic clusia of British Guiana +n12366313 a common tropical American clusia having solitary white or rose flowers +n12366675 East Indian tree with thick leathery leaves and edible fruit +n12366870 low spreading tree of Indonesia yielding an orange to brown gum resin (gamboge) used as a pigment when powdered +n12367611 any of numerous plants of the genus Hypericum having yellow flowers and transparently dotted leaves; traditionally gathered on St John's eve to ward off evil +n12368028 deciduous bushy Eurasian shrub with golden yellow flowers and reddish-purple fruits from which a soothing salve is made in Spain +n12368257 perennial shrub having large star-shaped yellow flowers in narrowly pyramidal cymes +n12368451 creeping evergreen shrub with bright yellow star-shaped summer flowers; useful as ground cover +n12369066 low shrubby plant having yellow flowers with four petals arranged in a cross; Bermuda and southeastern United States to West Indies and eastern Mexico +n12369309 yellow-flowered perennial common in fields and waste places but a weed in rangelands +n12369476 stiff shrub having oblong entire leaves and dense cymes of yellow flowers +n12369665 European perennial St John's wort; Ireland and France to western Siberia +n12369845 perennial marsh herb with pink to mauve flowers; southeastern United States +n12370174 tropical American tree having edible fruit with a leathery rind +n12370549 handsome East Indian evergreen tree often planted as an ornamental for its fragrant white flowers that yield a perfume; source of very heavy hardwood used for railroad ties +n12371202 climbing Asiatic vine having long finely serrate leaves and racemes of white flowers followed by greenish-yellow edible fruit +n12371439 climbing vine native to China; cultivated in New Zealand for its fuzzy edible fruit with green meat +n12371704 ornamental vine of eastern Asia having yellow edible fruit and leaves with silver-white markings +n12372233 large evergreen shrub or small tree having white aromatic bark and leathery leaves and small purple to red flowers in terminal cymes +n12373100 tropical American shrub or small tree having huge deeply palmately cleft leaves and large oblong yellow fruit +n12373739 large South American evergreen tree trifoliate leaves and drupes with nutlike seeds used as food and a source of cooking oil +n12374418 small shrubs of scrub and dry woodland regions of southern Europe and North Africa; grown for their showy flowers and soft often downy and aromatic evergreen foliage +n12374705 compact white pubescent shrub of southwestern Europe having pink flowers +n12374862 shrub having white flowers and viscid stems and leaves yielding a fragrant oleoresin used in perfumes especially as a fixative +n12375769 perennial of the eastern United States having early solitary yellow flowers followed by late petalless flowers; so-called because ice crystals form on it during first frosts +n12377198 tree of the family Dipterocarpaceae +n12377494 valuable Philippine timber tree +n12378249 small shrubby tree of Madagascar cultivated in tropical regions as a hedge plant and for its deep red acid fruits resembling small plums +n12378753 vigorous South African spiny shrub grown for its round yellow juicy edible fruits +n12378963 a small shrubby spiny tree cultivated for its maroon-purple fruit with sweet purple pulp tasting like gooseberries; Sri Lanka and India +n12379531 East Indian tree with oily seeds yield chaulmoogra oil used to treat leprosy +n12380761 large much-branched shrub grown primarily for its evergreen foliage +n12381511 any of several resinous trees or shrubs often burned for light +n12382233 candlewood of Mexico and southwestern California having tall columnar stems and bearing honey-scented creamy yellow flowers +n12382875 shrub with narrow-elliptic glossy evergreen leaves and yellow flowers with leathery petaloid sepals +n12383737 Brazilian passionflower cultivated for its deep purple fruit +n12383894 considered best for fruit +n12384037 tropical American passionflower yielding the large granadilla fruit +n12384227 of southern United States; having an insipid berry the size of a hen egg +n12384375 West Indian passionflower; cultivated for its yellow edible fruit +n12384569 cultivated for fruit +n12384680 West Indian passionflower with edible apple-sized fruit +n12384839 tropical American passion flower with finely dissected bracts; stems malodorous when crushed +n12385429 any plant of the genus Reseda +n12385566 Mediterranean woody annual widely cultivated for its dense terminal spikelike clusters greenish or yellowish white flowers having an intense spicy fragrance +n12385830 European mignonette cultivated as a source of yellow dye; naturalized in North America +n12386945 Eurasian shrub resembling the tamarisk +n12387103 plant growing naturally in very salty soil +n12387633 any of the numerous plants of the genus Viola +n12387839 any of numerous low-growing violas with small flowers +n12388143 common Old World viola with creamy often violet-tinged flowers +n12388293 violet of eastern North America having pale violet to white flowers +n12388858 Old World leafy-stemmed blue-flowered violet +n12388989 European viola with an unusually long corolla spur +n12389130 violet of Pacific coast of North America having white petals tinged with yellow and deep violet +n12389501 common violet of the eastern United States with large pale blue or purple flowers resembling pansies +n12389727 violet of eastern North America having softly pubescent leaves and stems and clear yellow flowers with brown-purple veins +n12389932 violet of eastern North America having lilac-purple flowers with a long slender spur +n12390099 leafy-stemmed violet of eastern North America having large white or creamy flowers faintly marked with purple +n12390314 common European violet that grows in woods and hedgerows +n12392070 any of numerous plants having stinging hairs that cause skin irritation on contact (especially of the genus Urtica or family Urticaceae) +n12392549 perennial Eurasian nettle established in North America having broad coarsely toothed leaves with copious stinging hairs +n12392765 annual European nettle with stinging foliage and small clusters of green flowers +n12393269 tall perennial herb of tropical Asia with dark green leaves; cultivated for the fiber from its woody stems that resembles flax +n12394118 American perennial herb found in rich woods and provided with stinging hairs; provides fibers used for textiles +n12394328 any of several tall Australian trees of the genus Laportea +n12394638 herb that grows in crevices having long narrow leaves and small pink apetalous flowers +n12395068 a plants of the genus Pilea having drooping green flower clusters and smooth translucent stems and leaves +n12395289 tropical American stingless nettle that discharges its pollen explosively +n12395463 low stingless nettle of Central and South America having velvety brownish-green toothed leaves and clusters of small green flowers +n12395906 Australian plant of genus Pipturus whose fiber is used in making cloth +n12396091 Hawaiian tree of genus Pipturus having a bark (tapa) from which tapa cloth is made +n12396924 any plant of the genus Cannabis; a coarse bushy annual with palmate leaves and clusters of small green flowers; yields tough fibers and narcotic drugs +n12397431 source of e.g. bhang and hashish as well as fiber +n12399132 any of several trees of the genus Morus having edible fruit that resembles the blackberry +n12399384 Asiatic mulberry with white to pale red fruit; leaves used to feed silkworms +n12399534 European mulberry having dark foliage and fruit +n12399656 North American mulberry having dark purple edible fruit +n12399899 small shrubby deciduous yellowwood tree of south central United States having spines, glossy dark green leaves and an inedible fruit that resembles an orange; its hard orange-colored wood used for bows by Native Americans; frequently planted as boundary hedge +n12400489 native to Pacific islands and having edible fruit with a texture like bread +n12400720 East Indian tree cultivated for its immense edible fruit and seeds +n12400924 Philippine tree similar to the breadfruit tree bearing edible fruit +n12401335 any moraceous tree of the tropical genus Ficus; produces a closed pear-shaped receptacle that becomes fleshy and edible when mature +n12401684 Mediterranean tree widely cultivated for its edible fruit +n12401893 wild variety of the common fig used to facilitate pollination of certain figs +n12402051 a strangler tree native to southern Florida and West Indies; begins as an epiphyte eventually developing many thick aerial roots and covering enormous areas +n12402348 East Indian tree that puts out aerial shoots that grow down into the soil forming additional trunks +n12402596 fig tree of India noted for great size and longevity; lacks the prop roots of the banyan; regarded as sacred by Buddhists +n12402840 large tropical Asian tree frequently dwarfed as a houseplant; source of Assam rubber +n12403075 shrub or small tree often grown as a houseplant having foliage like mistletoe +n12403276 Australian tree resembling the banyan often planted for ornament; introduced into South Africa for brushwood +n12403513 thick-branched wide-spreading tree of Africa and adjacent southwestern Asia often buttressed with branches rising from near the ground; produces cluster of edible but inferior figs on short leafless twigs; the biblical sycamore +n12403994 shrubby Asiatic tree having bark (tapa) that resembles cloth; grown as a shade tree in Europe and America; male flowers are pendulous catkins and female are urn-shaped followed by small orange-red aggregate berries +n12404729 tropical American tree with large peltate leaves and hollow stems +n12405714 any of various trees of the genus Ulmus: important timber or shade trees +n12406304 North American elm having twigs and young branches with prominent corky projections +n12406488 large ornamental tree with graceful gradually spreading branches common in eastern North America +n12406715 European elm with lustrous smooth leaves used as an ornamental +n12406902 elm of southern United States and Mexico having spreading pendulous corky branches +n12407079 Eurasian elm often planted as a shade tree +n12407222 any of various hybrid ornamental European shade trees ranging from dwarf to tall +n12407396 erect vigorous hybrid ornamental elm tree +n12407545 Eurasian elm closely resembling the American elm; thrives in a moist environment +n12407715 small fast-growing tree native to Asia; widely grown as shelterbelts and hedges +n12407890 broad spreading rough-leaved elm common throughout Europe and planted elsewhere +n12408077 fast-growing shrubby Asian tree naturalized in United States for shelter or ornament +n12408280 North American elm having rough leaves that are red when opening; yields a hard wood +n12408466 a variety of the English elm with erect branches and broader leaves +n12408717 autumn-flowering elm of southeastern United States +n12408873 tall widely distributed elm of eastern North America +n12409231 any of various trees of the genus Celtis having inconspicuous flowers and small berrylike fruits +n12409470 bright green deciduous shade tree of southern Europe +n12409651 large deciduous shade tree of southern United States with small deep purple berries +n12409840 deciduous shade tree with small black berries; southern United States; yields soft yellowish wood +n12411461 any bulbous plant of the family Iridaceae +n12412355 any of numerous wild or cultivated irises with hairlike structures on the falls (the drooping sepals) +n12412606 any of numerous wild or cultivated irises having no hairs on the drooping sepals (the falls) +n12412987 fragrant rootstock of various irises especially Florentine iris; used in perfumes and medicines +n12413165 low-growing summer-flowering iris of northeastern United States +n12413301 bulbous Spanish iris with red-violet flowers +n12413419 German iris having large white flowers with lavender-tinged falls and a fragrant rhizome +n12413642 iris with purple flowers and foul-smelling leaves; southern and western Europe and North Africa +n12413880 a large iris with purple or white flowers, native to central and southern Europe +n12414035 iris native to Japan having large showy flowers +n12414159 iris of northern Italy having deep blue-purple flowers; similar to but smaller than Iris germanica +n12414329 European iris having soft lilac-blue flowers +n12414449 bulbous iris native to Asia Minor cultivated for its pale lilac-colored flowers +n12414818 bulbous Spanish iris having blue flowers +n12414932 low-growing spring-flowering American iris with bright blue-lilac flowers +n12415595 bulbous iris of western Mediterranean region having usually violet-purple flowers +n12416073 garden plant whose capsule discloses when ripe a mass of seeds resembling a blackberry +n12416423 any of numerous low-growing plants of the genus Crocus having slender grasslike leaves and white or yellow or purple flowers; native chiefly to the Mediterranean region but widely cultivated +n12416703 Old World crocus having purple or white flowers with aromatic pungent orange stigmas used in flavoring food +n12417836 any of several South African plants of the genus Ixia having grasslike leaves and clusters of showy variously colored lily-like flowers; widely cultivated +n12418221 plant with grasslike foliage and delicate blue flowers +n12418507 a showy often-cultivated plant with tawny yellow often purple-spotted flowers +n12419037 bulbous plant having showy white to reddish flowers +n12419878 tropical vine having pink-and-yellow flowers spotted purple and edible roots sometimes boiled as a potato substitute; West Indies to northern South America +n12420124 tropical vine having umbels of small purple flowers and edible roots sometimes boiled as a potato substitute; Colombia +n12420535 any of various deciduous or evergreen herbs of the genus Haemanthus; South Africa and Namibia +n12420722 spectacular plant having large prostrate leaves barred in reddish-purple and flowers with a clump of long yellow stamens in a coral-red cup of fleshy bracts; South Africa +n12421137 amaryllis of tropical America often cultivated as a houseplant for its showy white to red flowers +n12421467 bulbous plant having erect linear leaves and showy yellow or white flowers either solitary or in clusters +n12421683 any of numerous varieties of Narcissus plants having showy often yellow flowers with a trumpet-shaped central crown +n12421917 widely cultivated ornamental plant native to southern Europe but naturalized elsewhere having fragrant yellow or white clustered flowers +n12422129 often used colloquially for any yellow daffodil +n12422559 Mexican bulbous herb cultivated for its handsome bright red solitary flower +n12425281 plant growing from a bulb or corm or rhizome or tuber +n12426623 Japanese lily with golden rays +n12426749 common lily of the eastern United States having nodding yellow or reddish flowers spotted with brown +n12427184 lily of southeastern United States having cup-shaped flowers with deep yellow to scarlet recurved petals +n12427391 lily of western North America with showy orange-red purple-spotted flowers +n12427566 east Asian perennial having large reddish-orange black-spotted flowers with reflexed petals +n12427757 tall lily have large white trumpet-shaped flowers that bloom in the spring +n12427946 orange-flowered lily of Pacific coast of United States +n12428076 lily with small dull purple flowers of northwestern Europe and northwestern Asia +n12428242 lily of central North America having recurved orange-red flowers with deep crimson spots +n12428412 lily of western United States having orange-red to crimson maroon-spotted flowers +n12428747 lily of the eastern United States with orange to red maroon-spotted flowers +n12429352 African plant with bright green evergreen leaves and umbels of many usually deep violet-blue flowers +n12430198 any of several perennials of the genus Aletris having grasslike leaves and bitter roots reputed to cure colic +n12430471 colicroot having a scurfy or granuliferous perianth and white flowers; southeastern United States +n12430675 colicroot with yellow-bracted racemose flowers; smaller than Aletris farinosa; southeastern United States +n12431434 bulbous plants having a characteristic pungent onion odor +n12432069 a common North American wild onion with a strong onion odor and an umbel of pink flowers atop a leafless stalk; British Columbia to California and Arizona and east to Wyoming and Colorado +n12432356 coarse Old World perennial having a large bulb and tall stalk of greenish purple-tinged flowers; widely naturalized +n12432574 North American bulbous plant +n12432707 Eurasian bulbous plant +n12433081 the bulb of an onion plant +n12433178 type of onion plant producing small clustered mild-flavored bulbs used as seasoning +n12433769 widely distributed North American wild onion with white to rose flowers +n12433952 Asiatic onion with slender bulbs; used as early green onions +n12434106 onion with white to deep red tunic; California +n12434483 European onion with white flowers +n12434634 leek producing bulbils instead of flowers; Russia and Iran +n12434775 bulbous herb of southern Europe widely naturalized; bulb breaks up into separate strong-flavored cloves +n12434985 European leek cultivated and used like leeks +n12435152 perennial having hollow cylindrical leaves used for seasoning +n12435486 pungent Old World wild onion +n12435649 pungent Old World weedy plant +n12435777 a plant of eastern Asia; larger than Allium schoenoprasum +n12435965 Old World leek with a spherical bulb +n12436090 European leek naturalized in Great Britain; leaves are triangular +n12436907 much-branched South African plant with reddish prickly succulent leaves +n12437513 a plant of the genus Kniphofia having long grasslike leaves and tall scapes of red or yellow drooping flowers +n12437769 clump-forming plant of South Africa with spikes of scarlet flowers +n12437930 widely cultivated hybrid poker plant +n12439154 all parts of plant are highly toxic; bulb pounded and used as a fly poison; sometimes placed in subfamily Melanthiaceae +n12439830 plant having basal grasslike leaves and a narrow open cluster of starlike yellowish-orange flowers atop a leafless stalk; southwestern United States; only species of Anthericum growing in North America +n12441183 plant whose succulent young shoots are cooked and eaten as a vegetable +n12441390 a fernlike plant native to South Africa +n12441552 fragile twining plant of South Africa with bright green flattened stems and glossy foliage popular as a floral decoration +n12441958 any of various chiefly Mediterranean plants of the genera Asphodeline and Asphodelus having linear leaves and racemes of white or pink or yellow flowers +n12442548 asphodel having erect smooth unbranched stem either flexuous or straight +n12443323 evergreen perennial with large handsome basal leaves; grown primarily as a foliage houseplant +n12443736 half-hardy Mexican herb cultivated for its drooping terminal umbels of showy red-and-white flowers +n12444095 any of several plants of the genus Blandfordia having large orange or crimson flowers +n12444898 much-branched leafless twining South African herb cultivated as an ornamental for its bright green stems growing from large aboveground bulbs +n12446200 any of several plants of the genus Calochortus having tulip-shaped flowers with 3 sepals and 3 petals; southwestern United States and Mexico +n12446519 any of several plants of the genus Calochortus having egg-shaped flowers +n12446737 any of several plants of the genus Calochortus having flowers with petals shaped like cat's ears +n12446908 globe lily having open branched clusters of egg-shaped white flowers; southern California +n12447121 globe lily having open branched clusters of clear yellow egg-shaped flowers; northern California +n12447346 globe lily with deep rose-pink or purple egg-shaped flowers on flexuous stems; western slopes of Sierra Nevada in San Joaquin Valley +n12447581 small plant with slender bent stems bearing branched clusters of a few white star-shaped flowers with petals shaped like cat's ears; southeastern Washington and northeastern Oregon to Montana +n12447891 mariposa with clusters of bell-shaped vermilion or orange or yellow flowers atop short stems; southern California to Arizona and Mexico +n12448136 mariposa having clusters of a few large deep yellow bell-shaped flowers atop slender stems; California coastal ranges +n12448361 mariposa having loose clusters of one to three handsome lilac flowers resembling umbels atop stout erect stems; arid northwestern North America east of Cascade Mountains from southern British Columbia to northern California +n12448700 perennial plant having clusters of one to four showy white bell-shaped flowers atop erect unbranched stems; edible bulbs useful in times of scarcity; eastern Montana and western North Dakota south to northern Arizona and northwestern New Mexico +n12449296 any of several plants of the genus Camassia; North and South America +n12449526 plant having a large edible bulb and linear basal leaves and racemes of light to deep violet-blue star-shaped flowers on tall green scapes; western North America +n12449784 camas found to the west of Cascade Mountains +n12449934 eastern camas; eastern and central North America +n12450344 perennial woodland spring-flowering plant; widely cultivated +n12450607 North American dogtooth having solitary white flowers with yellow centers and blue or pink exteriors +n12450840 eastern North American dogtooth having solitary yellow flowers marked with brown or purple and spotted interiors +n12451070 sturdy European dogtooth with rose to mauve flowers; cultivated in many varieties +n12451240 California dogtooth violet with creamy white flowers sometimes yellow-tinged +n12451399 dogtooth violet of western North America having bright yellow flowers +n12451566 perennial herb having large white flowers marked with orange; found near the snow line in the northwestern United States +n12451915 any liliaceous plant of the genus Fritillaria having nodding variously colored flowers +n12452256 herb of northwestern America having green-and-purple bell-shaped flowers +n12452480 herb of southwestern United States having dark purple bell-shaped flowers mottled with green +n12452673 a malodorous California herb with bell-shaped flowers; a common weed in grainfields +n12452836 Eurasian herb with a cluster of leaves and orange-red bell-shaped flowers at the top of the stem +n12453018 California herb with white conic or bell-shaped flowers usually tinged with green +n12453186 Eurasian checkered lily with pendant flowers usually veined and checkered with purple or maroon on a pale ground and shaped like the bells carried by lepers in medieval times; widely grown as an ornamental +n12453714 California herb with pinkish purple flowers +n12453857 western United States herb with scarlet and yellow narrow bell-shaped flowers +n12454159 any of numerous perennial bulbous herbs having linear or broadly lanceolate leaves and usually a single showy flower +n12454436 small early blooming tulip +n12454556 Eurasian tulip with small flowers blotched at the base +n12454705 tall late blooming tulip +n12454793 any of several long-stemmed tulips that flower in May; have egg-shaped variously colored flowers +n12454949 any of several very tall, late blooming tulips bearing large squarish flowers on sturdy stems +n12455950 any plant of the genus Gloriosa of tropical Africa and Asia; a perennial herb climbing by means of tendrils at leaf tips having showy yellow to red or purple flowers; all parts are poisonous +n12457091 a day lily with yellow flowers +n12458550 widely grown for its fragrance and its white, pink, blue, or purplish flowers +n12458713 hyacinth with loosely flowered spikes, several growing from one bulb +n12458874 southern African herb with white bell-shaped flowers +n12459629 any of several perennial plants of the genus Ornithogalum native to the Mediterranean and having star-shaped flowers +n12460146 Old World star of Bethlehem having edible young shoots +n12460697 any of various early flowering spring hyacinths native to Eurasia having dense spikes of rounded blue flowers resembling bunches of small grapes +n12460957 prolific species having particularly beautiful dark blue flowers +n12461109 large beautiful Mediterranean species having sterile bluish-violet flowers with fringed corollas forming a tuft above the fertile flowers +n12461466 an Old World plant of the genus Scilla having narrow basal leaves and pink or blue or white racemose flowers +n12461673 European scilla with small blue or purple flowers +n12462032 a plant of the genus Tofieldia having linear chiefly basal leaves and small spicate flowers +n12462221 false asphodel having spikes of white flowers; of mountainous regions of Europe +n12462582 having dense spikes of small white flowers and yielding a bulb with medicinal properties +n12462805 bulb of the sea squill, which is sliced, dried, and used as an expectorant +n12463134 shrub with stiff flattened stems resembling leaves (cladophylls); used for making brooms +n12463743 either of two herbaceous rushlike bog plants having small yellow flowers and grasslike leaves; north temperate regions +n12463975 of western Europe: Scandinavia to northern Spain and Portugal +n12464128 of the eastern United States: New Jersey to South Carolina +n12464476 perennial herbs of the lily family having thick toxic rhizomes +n12464649 North American plant having large leaves and yellowish green flowers growing in racemes; yields a toxic alkaloid used medicinally +n12465557 plant of western North America having woody rhizomes and tufts of stiff grasslike basal leaves and spikes of creamy white flowers +n12466727 any of various plants of the genus Zigadenus having glaucous leaves and terminal racemes of mostly white flowers; all are poisonous +n12467018 plant of western North America having grasslike leaves and greenish-white flowers +n12467197 plant of eastern and central North America having creamy white flowers tinged with brown or purple; poisonous especially to grazing animals +n12467433 a common perennial death camas; Tennessee to Kansas to Texas +n12467592 plant of western North America to Mexico; poisonous especially to grazing animals +n12468545 trillium of central United States having dark purple sessile flowers +n12468719 a low perennial white-flowered trillium found in the southeastern United States +n12469517 European herb with yellow-green flowers resembling and closely related to the trilliums; reputed to be poisonous +n12470092 any of various prickly climbing plants of the tropical American genus Smilax having aromatic roots and heart-shaped leaves +n12470512 a very prickly woody vine of the eastern United States growing in tangled masses having tough round stems with shiny leathery leaves and small greenish flowers followed by clusters of inedible shiny black berries +n12470907 creeping or climbing evergreen having spiny zigzag stems with shiny leaves and racemes of pale-green flowers; Canary Islands to southern Europe and Ethiopia and India +n12472024 any temperate liliaceous plant of the genus Clintonia having broad basal leaves and white or yellowish or purplish flowers followed by blue or black berries +n12473608 small two-leaved herb of the northern United States and parts of Canada having racemes of small fragrant white flowers +n12473840 small white-flowered plant of western Europe to Japan +n12474167 any of several plants of the genus Polygonatum having paired drooping yellowish-green flowers and a thick rootstock with scars shaped like Solomon's seal +n12474418 North American perennial herb with smooth foliage and drooping tubular greenish flowers +n12475035 any of various plants of the genus Uvularia having yellowish drooping bell-shaped flowers +n12475242 plant of southern and southeastern United States grown for its yellow flowers that can be dried +n12475774 perennial herb of East Indies to Polynesia and Australia; cultivated for its large edible root yielding Otaheite arrowroot starch +n12476510 tropical American plants with basal rosettes of fibrous sword-shaped leaves and flowers in tall spikes; some cultivated for ornament or for fiber +n12477163 widely cultivated American monocarpic plant with greenish-white flowers on a tall stalk; blooms only after ten to twenty years and then dies +n12477401 Mexican or West Indian plant with large fleshy leaves yielding a stiff fiber used in e.g. rope +n12477583 Philippine plant yielding a hard fibre used in making coarse twine +n12477747 Mexican plant used especially for making pulque which is the source of the colorless Mexican liquor, mescal +n12477983 Mexican plant used especially for making tequila +n12478768 elegant tree having either a single trunk or a branching trunk each with terminal clusters of long narrow leaves and large panicles of fragrant white, yellow or red flowers; New Zealand +n12479537 an agave that is often cultivated for its decorative foliage +n12480456 a tuberous Mexican herb having grasslike leaves and cultivated for its spikes of highly fragrant lily-like waxy white flowers +n12480895 grown as a houseplant for its mottled fleshy sword-shaped leaves or as a source of fiber +n12481150 bowstring hemp of South Africa +n12481289 plant having thick fibrous leaves transversely banded in light and dark green +n12481458 stemless plant having narrow rigid leaves often cultivated as a houseplant +n12482437 a stiff yucca with a short trunk; found in the southern United States and tropical America; has rigid spine-tipped leaves and clusters of white flowers +n12482668 tall yucca of the southwestern United States and Mexico having a woody stem and stiff swordlike pointed leaves and a large cluster of white flowers +n12482893 a large branched arborescent yucca of southwestern United States having short leaves and clustered greenish white flowers +n12483282 tall arborescent yucca of southwestern United States +n12483427 yucca with long stiff leaves having filamentlike appendages +n12483625 yucca of west central United States having a clump of basal grasslike leaves and a central stalk with a terminal raceme of small whitish flowers +n12483841 yucca of southeastern United States similar to the Spanish bayonets but with shorter trunk and smoother leaves +n12484244 yucca of southwestern United States and Mexico with a tall spike of creamy white flowers +n12484784 perennial plant of Europe and America having racemes of white or purplish flowers and intensely bitter trifoliate leaves; often rooting at water margin and spreading across the surface +n12485653 tropical shrub having clusters of white or violet or yellow flowers +n12485981 poisonous woody evergreen vine of southeastern United States having fragrant yellow funnel-shaped flowers +n12486574 plant of the genus Linum that is cultivated for its seeds and for the fibers of its stem +n12487058 dark brown highly poisonous seed of the calabar-bean vine; source of physostigmine and used in native witchcraft +n12488454 tropical tree with large prickly pods of seeds that resemble beans and are used for jewelry and rosaries +n12488709 small thornless tree or shrub of tropical America whose seed pods are a source of tannin +n12489046 spreading thorny shrub of tropical Asia bearing large erect racemes of red-marked yellow flowers +n12489676 thornless tree yielding heavy wood +n12489815 a tropical flowering shrub having bright orange or red flowers; sometimes placed in genus Poinciana +n12490490 East Indian timber tree with hard durable wood used especially for tea boxes +n12491017 small East Indian tree having orchid-like flowers and hard dark wood +n12491435 small shrubby African tree having compound leaves and racemes of small fragrant green flowers +n12491826 any of various trees or shrubs of the genus Cassia having pinnately compound leaves and usually yellow flowers followed by long seedpods +n12492106 deciduous or semi-evergreen tree having scented sepia to yellow flowers in drooping racemes and pods whose pulp is used medicinally; tropical Asia and Central and South America and Australia +n12492460 tropical American semi-evergreen tree having erect racemes of pink or rose-colored flowers; used as an ornamental +n12492682 deciduous ornamental hybrid of southeastern Asia and Hawaii having racemes of flowers ranging in color from cream-colored to orange and red +n12492900 East Indian tree having long pods containing a black cathartic pulp used as a horse medicine +n12493208 evergreen Mediterranean tree with edible pods; the biblical carob +n12493426 long pod containing small beans and sweetish edible pulp; used as animal feed and source of a chocolate substitute +n12493868 a thorny shrub of the genus Cercidium that grows in dry parts of the southwestern United States and adjacent Mexico; has smooth light green bark and racemes of yellow flowers and small leaves +n12494794 showy tropical tree or shrub native to Madagascar; widely planted in tropical regions for its immense racemes of scarlet and orange flowers; sometimes placed in genus Poinciana +n12495146 any of various hardwood trees of the family Leguminosae +n12495670 honey locust of swamps and bottomlands of southern United States having short oval pods; yields dark heavy wood +n12495895 tall usually spiny North American tree having small greenish-white flowers in drooping racemes followed by long twisting seed pods; yields very hard durable reddish-brown wood; introduced to temperate Old World +n12496427 handsome tree of central and eastern North America having large bipinnate leaves and green-white flowers followed by large woody brown pods whose seeds are used as a coffee substitute +n12496949 spiny shrub or small tree of Central America and West Indies having bipinnate leaves and racemes of small bright yellow flowers and yielding a hard brown or brownish-red heartwood used in preparing a black dye +n12497669 large shrub or shrubby tree having sharp spines and pinnate leaves with small deciduous leaflets and sweet-scented racemose yellow-orange flowers; grown as ornamentals or hedging or emergency food for livestock; tropical America but naturalized in southern United States +n12498055 densely branched spiny tree of southwestern United States having showy yellow flowers and blue-green bark; sometimes placed in genus Cercidium +n12498457 erect shrub having large trifoliate leaves and dense clusters of yellow flowers followed by poisonous seeds; Yugoslavia; sometimes placed in genus Cytisus +n12499163 any of various plants of the genus Senna having pinnately compound leaves and showy usually yellow flowers; many are used medicinally +n12499757 evergreen Indian shrub with vivid yellow flowers whose bark is used in tanning; sometimes placed in genus Cassia +n12499979 erect shrub having racemes of tawny yellow flowers; the dried leaves are used medicinally as a cathartic; sometimes placed in genus Cassia +n12500309 North American perennial herb; leaves are used medicinally; sometimes placed in genus Cassia +n12500518 cosmopolitan tropical herb or subshrub with yellow flowers and slender curved pods; a weed; sometimes placed in genus Cassia +n12500751 very leafy malodorous tropical weedy shrub whose seeds have been used as an adulterant for coffee; sometimes classified in genus Cassia +n12501202 long-lived tropical evergreen tree with a spreading crown and feathery evergreen foliage and fragrant flowers yielding hard yellowish wood and long pods with edible chocolate-colored acidic pulp +n12504570 an erect to spreading hairy shrub of the Pacific coast of the United States having racemes of red to indigo flowers +n12504783 dense shrub of moist riverbanks and flood plains of the eastern United States having attractive fragrant foliage and dense racemes of dark purple flowers +n12505253 vine widely distributed in eastern North America producing racemes of purple to maroon flowers and abundant (usually subterranean) edible one-seeded pods resembling peanuts +n12506181 any of several tropical American trees of the genus Andira +n12506341 tree with shaggy unpleasant-smelling toxic bark and yielding strong durable wood; bark and seeds used as a purgative and vermifuge and narcotic +n12506991 perennial Eurasian herb having heads of red or yellow flowers and common in meadows and pastures; formerly used medicinally for kidney disorders +n12507379 a North American vine with fragrant blossoms and edible tubers; important food crop of Native Americans +n12507823 South African shrub having flat acuminate leaves and yellow flowers; leaves are aromatic when dried and used to make an herbal tea +n12508309 any of various plants of the genus Astragalus +n12508618 perennial of mountainous areas of Eurasia and North America +n12508762 perennial of southern and western Europe having dense racemes of purple or violet flowers +n12509109 small shrubby African tree with hard wood used as a dyewood yielding a red dye +n12509476 any of several plants of the genus Baptisia +n12509665 wild indigo of the eastern United States having racemes of blue flowers +n12509821 erect or spreading herb having racemes of creamy white flowers; the eastern United States +n12509993 much-branched erect herb with bright yellow flowers; distributed from Massachusetts to Florida +n12510343 East Indian tree bearing a profusion of intense vermilion velvet-textured blooms and yielding a yellow dye +n12510774 tropical woody herb with showy yellow flowers and flat pods; much cultivated in the tropics +n12511488 twining tropical Old World plant bearing long pods usually with red or brown beans; long cultivated in Orient for food +n12511856 any plant of the genus Caragana having even-pinnate leaves and mostly yellow flowers followed by seeds in a linear pod +n12512095 large spiny shrub of eastern Asia having clusters of yellow flowers; often cultivated in shelterbelts and hedges +n12512294 shrub with dark-green glossy foliage and solitary pale yellow flowers; northern China +n12512674 Australian tree having pinnate leaves and orange-yellow flowers followed by large woody pods containing 3 or 4 seeds that resemble chestnuts; yields dark strong wood +n12513172 large-flowered weakly twining or prostrate vine of New Jersey to tropical eastern North America, sometimes cultivated for its purple and white flowers +n12513613 small tree of the eastern Mediterranean having abundant purplish-red flowers growing on old wood directly from stems and appearing before the leaves: widely cultivated in mild regions; wood valuable for veneers +n12513933 small shrubby tree of eastern North America similar to the Judas tree having usually pink flowers; found in damp sheltered underwood +n12514138 shrub of western United States having pink or crimson flowers; often forms thickets +n12514592 shrub of Canary Islands having bristle-tipped oblanceolate leaves; used as cattle fodder +n12514992 small shrubby tree of New Zealand having weeping branches and racemes of white to violet flowers followed by woolly indehiscent two-seeded pods +n12515393 any of several small shrubs or twining vines having entire or lobed leaves and racemes of yellow to orange-red flowers; Australia +n12515711 Asiatic herb cultivated for its short pods with one or two edible seeds +n12515925 the seed of the chickpea plant +n12516165 small handsome roundheaded deciduous tree having showy white flowers in terminal clusters and heavy hardwood yielding yellow dye +n12516584 any of various shrubs or vines of the genus Clianthus having compound leaves and pea-like red flowers in drooping racemes +n12516828 sprawling shrubby perennial noted for its scarlet black-marked flowers; widely distributed in dry parts of Australia +n12517077 evergreen shrub with scarlet to white clawlike or beaklike flowers; New Zealand +n12517445 large-flowered wild twining vine of southeastern and central United States having pale blue flowers +n12517642 vine of tropical Asia having pinnate leaves and bright blue flowers with yellow centers +n12518013 erect tropical Asian shrub whose small lateral leaflets rotate on their axes and jerk up and down under the influence of sunshine +n12518481 yellow-flowered European shrub cultivated for its succession of yellow flowers and very inflated bladdery pods and as a source of wildlife food +n12519089 European herb resembling vetch; naturalized in the eastern United States; having umbels of pink-and-white flowers and sharp-angled pods +n12519563 any of various plants of the genus Crotalaria having inflated pods within which the seeds rattle; used for pasture and green-manure crops +n12520406 drought-tolerant herb grown for forage and for its seed which yield a gum used as a thickening agent or sizing material +n12521186 low European broom having trifoliate leaves and yellowish-white flowers +n12521394 deciduous erect spreading broom native to western Europe; widely cultivated for its rich yellow flowers +n12522188 any of those hardwood trees of the genus Dalbergia that yield rosewood--valuable cabinet woods of a dark red or purplish color streaked and variegated with black +n12522678 East Indian tree having a useful dark purple wood +n12522894 East Indian tree whose leaves are used for fodder; yields a compact dark brown durable timber used in shipbuilding and making railroad ties +n12523141 Brazilian tree yielding a handsome cabinet wood +n12523475 an important Brazilian timber tree yielding a heavy hard dark-colored wood streaked with black +n12523850 a valuable timber tree of tropical South America +n12524188 any of several hardwood trees yielding very dark-colored wood +n12525168 any of several spiny shrubs of the genus Daviesia having yellow flowers and triangular seeds; Australia +n12525513 any of various usually woody vines of the genus Derris of tropical Asia whose roots yield the insecticide rotenone; several are sources of native fish and arrow poisons +n12525753 woody vine having bright green leaves and racemes of rose-tinted white flowers; the swollen roots contain rotenone +n12526178 perennial herb of North American prairies having dense heads of small white flowers +n12526516 any of various tropical and subtropical plants having trifoliate leaves and rough sticky pod sections or loments +n12526754 West Indian forage plant cultivated in southern United States as forage and to improve soil +n12527081 South African evergreen partly woody vine grown for its clusters of rosy purple flowers followed by edible pods like snap beans; also grown as green manure; sometimes placed in genus Dolichos +n12527738 any of various shrubs or shrubby trees of the genus Erythrina having trifoliate leaves and racemes of scarlet to coral red flowers and black seeds; cultivated as an ornamental +n12528109 small semi-evergreen broad-spreading tree of eastern South Africa with orange-scarlet flowers and small coral-red seeds; yields a light soft wood used for fence posts or shingles +n12528382 deciduous shrub having racemes of deep red flowers and black-spotted red seeds +n12528549 small South American spiny tree with dark crimson and scarlet flowers solitary or clustered +n12528768 small semi-evergreen tree of South Africa having dense clusters of clear scarlet flowers and red seeds +n12528974 small to medium-sized thorny tree of tropical Asia and northern Australia having dense clusters of scarlet or crimson flowers and black seeds +n12529220 prickly Australian coral tree having soft spongy wood +n12529500 tall bushy European perennial grown for its pinnate foliage and slender spikes of blue flowers; sometimes used medicinally +n12529905 any of various Australian evergreen shrubs of the genus Gastrolobium having whorled compound leaves poisonous to livestock and showy yellow to deep reddish-orange flowers followed by two-seeded pods +n12530629 erect shrub of southwestern Europe having racemes of golden yellow flowers +n12530818 small Eurasian shrub having clusters of yellow flowers that yield a dye; common as a weed in Britain and the United States; sometimes grown as an ornamental +n12531328 thorny shrub or small tree common in central Argentina having small orange or yellow flowers followed by edible berries +n12531727 any of several small deciduous trees valued for their dark wood and dense racemes of nectar-rich pink flowers grown in great profusion on arching branches; roots and bark and leaves and seeds are poisonous +n12532564 a source of oil; used for forage and soil improvement and as food +n12532886 deep-rooted coarse-textured plant native to the Mediterranean region having blue flowers and pinnately compound leaves; widely cultivated in Europe for its long thick sweet roots +n12533190 North American plant similar to true licorice and having a root with similar properties +n12533437 root of licorice used in flavoring e.g. candy and liqueurs and medicines +n12534208 vigorous climber of the forests of western Australia; grown for their dense racemes of attractive bright rose-purple flowers +n12534625 perennial of western United States having racemes of pink to purple flowers followed by flat pods that separate into nearly orbicular joints +n12534862 perennial of southern Europe cultivated for forage and for its nectar-rich pink flowers that make it an important honey crop +n12536291 shrub of West Indies and South America that is a source of indigo dye +n12537253 hairy trailing or prostrate western Australian vine with bright scarlet-pink flowers +n12537569 perennial twining vine of Old World tropics having trifoliate leaves and racemes of fragrant purple pea-like flowers followed by maroon pods of edible seeds; grown as an ornamental and as a vegetable on the Indian subcontinent; sometimes placed in genus Dolichos +n12538209 an ornamental shrub or tree of the genus Laburnum +n12539074 any of various small plants of the genus Lathyrus; climb usually by means of tendrils +n12539306 any of various plants of the family Leguminosae that usually grow like vines +n12539832 any of several perennial vines of the genus Lathyrus +n12540250 wild pea of seashores of north temperate zone having tough roots and purple flowers and useful as a sand binder +n12540647 annual European vetch with red flowers +n12540966 scrambling perennial of damp or marshy areas of Eurasia and North America with purplish flowers +n12541157 scrambling perennial Eurasian wild pea having yellowish flowers and compressed seed pods; cultivated for forage +n12541403 European annual grown for forage; seeds used for food in India and for stock elsewhere +n12542043 North African annual resembling the sweet pea having showy but odorless flowers +n12542240 European herb bearing small tubers used for food and in Scotland to flavor whiskey +n12543186 Asian shrub having conspicuous racemose rose-purple flowers widely used as an ornamental and in erosion control and as a source of feed for wild birds +n12543455 an annual of tropical Asia naturalized in United States +n12543639 annual native to Korea but widely cultivated for forage and hay in hot dry regions +n12543826 perennial widely planted as for forage and as hay crop especially on poor land +n12544240 widely cultivated Eurasian annual herb grown for its edible flattened seeds that are cooked like peas and also ground into meal and for its leafy stalks that are used as fodder +n12544539 the fruit or seed of a lentil plant +n12545232 North American annual with red or rose-colored flowers +n12545635 European forage plant having claw-shaped pods introduced in America +n12545865 sprawling European annual having a 4-winged edible pod +n12546183 any plant of the genus Lupinus; bearing erect spikes of usually purplish-blue flowers +n12546420 white-flowered Eurasian herb widely cultivated for forage and erosion control +n12546617 evergreen shrub of the Pacific coast of the United States having showy yellow or blue flowers; naturalized in Australia +n12546962 stout perennial of eastern and central North America having palmate leaves and showy racemose blue flowers +n12547215 low-growing annual herb of southwestern United States (Texas) having silky foliage and blue flowers; a leading cause of livestock poisoning in the southwestern United States +n12547503 closely resembles Lupinus subcarnosus; southwestern United States (Texas) +n12548280 any of several Old World herbs of the genus Medicago having small flowers and trifoliate compound leaves +n12548564 evergreen shrub of southern European highlands having downy foliage and a succession of yellow flowers throughout the summer followed by curious snail-shaped pods +n12548804 European medic naturalized in North America having yellow flowers and sickle-shaped pods +n12549005 an annual of the Mediterranean area having spiny seed pods and leaves with dark spots +n12549192 prostrate European herb with small yellow flowers and curved black pods; naturalized in North America +n12549420 important European leguminous forage plant with trifoliate leaves and blue-violet flowers grown widely as a pasture and hay crop +n12549799 any of several tropical trees or shrubs yielding showy streaked dark reddish or chocolate-colored wood +n12550210 any of several erect or climbing woody plants of the genus Mucuna; widespread in tropics of both hemispheres +n12550408 the annual woody vine of Asia having long clusters of purplish flowers and densely hairy pods; cultivated in southern United States for green manure and grazing +n12551173 medium-sized tropical American tree yielding tolu balsam and a fragrant hard wood used for high-grade furniture and cabinetwork +n12551457 tree of South and Central America yielding an aromatic balsam +n12552309 Eurasian perennial herb having pale pink flowers and curved pods; naturalized in Britain and North America grasslands on calcareous soils; important forage crop and source of honey in Britain +n12552893 European woody plant having pink flowers and unifoliate leaves and long tough roots; spreads by underground runners +n12553742 small tree of West Indies and northeastern Venezuela having large oblong pointed leaflets and panicles of purple flowers; seeds are black or scarlet with black spots +n12554029 West Indian tree similar to Ormosia monosperma but larger and having smaller leaflets and smaller seeds +n12554526 any of several leguminous plants of western North America causing locoism in livestock +n12554729 tufted locoweed of southwestern United States having purple or pink to white flowers +n12554911 any plant that breaks away from its roots in autumn and is driven by the wind as a light rolling mass +n12555255 Central American twining plant with edible roots and pods; large tubers are eaten raw or cooked especially when young and young pods must be thoroughly cooked; pods and seeds also yield rotenone and oils +n12555859 trailing trifoliate Asiatic and African herb having cobalt blue flowers +n12556656 a climbing bean plant that will climb a wall or tree or trellis +n12557064 the common bean plant grown for the beans rather than the pods (especially a variety with large red kidney-shaped beans) +n12557438 a French variety of green bean plant bearing light-colored beans +n12557556 a common bean plant grown for its edible golden pod +n12557681 tropical American bean with red flowers and mottled black beans similar to Phaseolus vulgaris but perennial; a preferred food bean in Great Britain +n12558230 bush or tall-growing bean plant having large flat edible seeds +n12558425 bush bean plant cultivated especially in southern United States having small flat edible seeds +n12558680 twining plant of southwestern United States and Mexico having roundish white or yellow or brown or black beans +n12559044 spiny evergreen xerophytic shrub having showy rose and purple flowers and forming dense thickets; of dry rocky mountain slopes of California +n12559518 small tree of West Indies and Florida having large odd-pinnate leaves and panicles of red-striped purple to white flowers followed by decorative curly winged seedpods; yields fish poisons +n12560282 the fruit or seed of a pea plant +n12560621 the flattened to cylindric inflated multi-seeded fruit of the common pea plant +n12560775 a variety of pea plant producing peas having soft thick edible pods lacking the fibrous inner lining of the common pea +n12561169 variety of pea plant producing peas having crisp rounded edible pods +n12561309 variety of pea plant native to the Mediterranean region and North Africa and widely grown especially for forage +n12561594 seed of the field pea plant +n12562141 low spreading evergreen shrub of southern Australia having triangular to somewhat heart-shaped foliage and orange-yellow flowers followed by flat winged pods +n12562577 any of several tropical American trees some yielding economically important timber +n12562785 large tree of Trinidad and Guyana having odd-pinnate leaves and violet-scented axillary racemes of yellow flowers and long smooth pods; grown as a specimen in parks and large gardens +n12563045 large erect shrub of Colombia having large odd-pinnate leaves with large leaflets and axillary racemes of fragrant yellow flowers +n12563702 evergreen Asiatic tree having glossy pinnate leaves and racemose creamy-white scented flowers; used as a shade tree +n12564083 a tuberous twining annual vine bearing clusters of purplish flowers and pods with four jagged wings; Old World tropics +n12564613 densely hairy perennial of central North America having edible tuberous roots +n12565102 deciduous South African tree having large odd-pinnate leaves and profuse fragrant orange-yellow flowers; yields a red juice and heavy strong durable wood +n12565912 East Indian tree yielding a resin or extract often used medicinally and in e.g. tanning +n12566331 tree of India and East Indies yielding a hard fragrant timber prized for cabinetwork and dark red heartwood used as a dyewood +n12566954 fast-growing vine from eastern Asia having tuberous starchy roots and hairy trifoliate leaves and racemes of purple flowers followed by long hairy pods containing many seeds; grown for fodder and forage and root starch; widespread in the southern United States +n12567950 large shrub or small tree of the eastern United States having bristly stems and large clusters of pink flowers +n12568186 large thorny tree of eastern and central United States having pinnately compound leaves and drooping racemes of white flowers; widely naturalized in many varieties in temperate regions +n12568649 small rough-barked locust of southeastern United States having racemes of pink flowers and glutinous branches and seeds +n12569037 small Dominican tree bearing masses of large crimson flowers before the fine pinnate foliage emerges +n12569616 tall-growing annual of southwestern United States widely grown as green manure; yields a strong tough bast fiber formerly used by Indians for cordage +n12569851 a softwood tree with lax racemes of usually red or pink flowers; tropical Australia and Asia; naturalized in southern Florida and West Indies +n12570394 handsome roundheaded deciduous tree having compound dark green leaves and profuse panicles of fragrant creamy-white flowers; China and Japan +n12570703 shrub or small tree having pinnate leaves poisonous to livestock and dense racemes of intensely fragrant blue flowers and red beans +n12570972 shrub or small tree of New Zealand and Chile having pendulous racemes of tubular golden-yellow flowers; yields a hard strong wood +n12571781 vigorous Philippine evergreen twining liana; grown for spectacular festoons of green flowers that resemble lobster claws +n12572546 a plant of the genus Tephrosia having pinnate leaves and white or purplish flowers and flat hairy pods +n12572759 East Indian shrub +n12572858 perennial subshrub of eastern North America having downy leaves yellowish and rose flowers and; source of rotenone +n12573256 any of various plants of the genus Thermopsis having trifoliate leaves and yellow or purple racemose flowers +n12573474 western United States bushy herb having yellow pea-like flowers +n12573647 eastern United States bush pea +n12573911 semi-evergreen South American tree with odd-pinnate leaves and golden yellow flowers cultivated as an ornamental +n12574320 Old World herb related to fenugreek +n12574470 annual herb or southern Europe and eastern Asia having off-white flowers and aromatic seeds used medicinally and in curry +n12574866 very spiny and dense evergreen shrub with fragrant golden-yellow flowers; common throughout western Europe +n12575322 any of various climbing plants of the genus Vicia having pinnately compound leaves that terminate in tendrils and small variously colored flowers; includes valuable forage and soil-building plants +n12575812 common perennial climber of temperate regions of Eurasia and North America having dense elongate clusters of flowers +n12576323 seed of the broad-bean plant +n12576451 European perennial toxic vetch +n12576695 European purple-flowered with slender stems; occurs as a weed in hedges +n12577362 East Indian legume having hairy foliage and small yellow flowers followed by cylindrical pods; used especially in India for food and forage and as a soil conditioner; sometimes placed in genus Phaseolus +n12577895 perennial tropical American vine cultivated for its racemes of showy yellow and purple flowers having the corolla keel coiled like a snail shell; sometimes placed in genus Phaseolus +n12578255 erect bushy annual widely cultivated in warm regions of India and Indonesia and United States for forage and especially its edible seeds; chief source of bean sprouts used in Chinese cookery; sometimes placed in genus Phaseolus +n12578626 sprawling Old World annual cultivated especially in southern United States for food and forage and green manure +n12578916 fruit or seed of the cowpea plant +n12579038 South American bean having very long succulent pods +n12579404 Australian leafless shrub resembling broom and having small yellow flowers +n12579822 tree with odd-pinnate leaves and racemes of fragrant pink to purple flowers +n12580012 fast-growing roundheaded tree with fragrant white to deep rose flowers; planted as an ornamental +n12580654 having flowers of pink to mauve or violet-blue +n12580786 having deep purple flowers +n12580896 an eastern United States native resembling the cultivated Japanese wisteria having pale purple-lilac flowers +n12581110 a wisteria of China having white flowers +n12582231 any plant of the family Palmae having an unbranched trunk crowned by large pinnate or palmate leaves +n12582665 any of various tropical Asian palm trees the trunks of which yield sago +n12582846 palm having pinnate or featherlike leaves +n12583126 palm having palmate or fan-shaped leaves +n12583401 any of several low-growing palms with fan-shaped leaves +n12583681 tropical American palm having edible nuts and yielding a useful fiber +n12583855 tropical American feather palm having a swollen spiny trunk and edible nuts +n12584191 any of several tall tropical palms native to southeastern Asia having egg-shaped nuts +n12584365 southeastern Asian palm bearing betel nuts (scarlet or orange single-seeded fruit with a fibrous husk) +n12584715 Malaysian feather palm with base densely clothed with fibers; yields a sweet sap used in wine and trunk pith yields sago +n12585137 Brazilian palm yielding fibers used in making ropes, mats, and brushes +n12585373 nut having a hard hazel-brown shell used like vegetable ivory +n12585629 tall fan palm of Africa and India and Malaysia yielding a hard wood and sweet sap that is a source of palm wine and sugar; leaves used for thatching and weaving +n12586298 any tropical Asian palm of the genus Calamus; light tough stems are a source of rattan canes +n12586499 climbing palm of Sri Lanka and southern India remarkable for the great length of the stems which are used for malacca canes +n12586725 tall scrambling spiny palm of northeastern Queensland, Australia +n12586989 attractive East Indian palm having distinctive bipinnate foliage +n12587132 fishtail palm of India to Malay Peninsula; sap yields a brown sugar (jaggery) and trunk pith yields sago +n12587487 palm of the Andes yielding a resinous wax which is mixed with tallow to make candles +n12587803 tall palm tree bearing coconuts as fruits; widely planted throughout the tropics +n12588320 Brazilian fan palm having an edible root; source of a useful leaf fiber and a brittle yellowish wax +n12588780 South American palm yielding a wax similar to carnauba wax +n12589142 any of several tropical American palms bearing corozo nuts +n12589458 large-leaved palm of Malay to Philippines and northern Australia; leaves used for thatching or plaiting into containers +n12589687 fan palms of the southern United States and the Caribbean region +n12589841 tall palm of southern India and Sri Lanka with gigantic leaves used as umbrellas and fans or cut into strips for writing paper +n12590232 pinnate-leaved palms of the genus Elaeis having dense clusters of crowded flowers and bright red fruit and yielding high quality palm oils +n12590499 oil palm of Africa +n12590600 palm of Central and South America +n12590715 seed of any oil palm +n12591017 Brazilian palm of genus Euterpe whose leaf buds are eaten like cabbage when young +n12591351 Australian palm with leaf buds that are edible when young +n12591702 Malaysian palm whose pithy trunk yields sago--a starch used as a food thickener and fabric stiffener; Malaya to Fiji +n12592058 any creeping semiaquatic feather palm of the genus Nipa found in mangrove swamps and tidal estuaries; its sap is used for a liquor; leaves are used for thatch; fruit has edible seeds +n12592544 tall feather palm of northern Brazil with hard-shelled nuts yielding valuable oil and a kind of vegetable ivory +n12592839 hard-shelled nut of the babassu palm +n12593122 tropical American feather palm whose large nuts yield valuable oil and a kind of vegetable ivory +n12593341 nut of the cohune palm having hard white shells like those of ivory nuts +n12593994 tall tropical feather palm tree native to Syria bearing sweet edible fruit +n12594324 a stemless palm tree of Brazil and Peru bearing ivory nuts +n12594989 a large feather palm of Africa and Madagascar having very long pinnatisect fronds yielding a strong commercially important fiber from its leafstalks +n12595699 a palm of the genus Raffia +n12595964 any of several small palms of the genus Rhapis; cultivated as houseplants +n12596148 small graceful palm with reedlike stems and leaf bases clothed with loose coarse fibers +n12596345 Chinese lady palm with more slender stems and finer sheath fibers than Rhapis excelsa +n12596709 tall feather palm of southern Florida and Cuba +n12596849 West Indian palm with leaf buds that are edible when young +n12597134 low-growing fan-leaved palm of coastal southern United States having edible leaf buds +n12597466 small hardy clump-forming spiny palm of southern United States +n12597798 small palm of southern Florida and West Indies closely resembling the silvertop palmetto +n12598027 small stocky fan palm of southern Florida and Cuba +n12599185 an Old World plantain with long narrow ribbed leaves widely established in temperate regions +n12599435 common European perennial naturalized worldwide; a troublesome weed +n12599661 widely distributed Old World perennial naturalized in North America having finely hairy leaves and inconspicuous white fragrant flowers +n12599874 plantain of Mediterranean regions whose seeds swell and become gelatinous when moist and are used as a mild laxative +n12600095 North American plantain having reddish leafstalks and broad leaves +n12600267 North American annual or biennial with long soft hairs on the leaves +n12601494 a member of the genus Fagopyrum; annual Asian plant with clusters of small pinkish white flowers and small edible triangular seeds which are used whole or ground into flour +n12601805 annual with broadly ovate leaves and slender drooping spikes of crimson flowers; southeastern Asia and Australia; naturalized in North America +n12602262 any plant of the genus Eriogonum with small clustered flowers +n12602434 late blooming perennial plant of shale barrens of Virginia having flowers in flat-topped clusters +n12602612 low-growing shrub with spreading branches and flowers in loose heads; desert regions of western United States (California to Utah) +n12602980 plants having long green or reddish acidic leafstalks growing in basal clumps; stems (and only the stems) are edible when cooked; leaves are poisonous +n12603273 Asian herb (Himalayas) +n12603449 long cultivated hybrid of Rheum palmatum; stems often cooked in pies or as sauce or preserves +n12603672 long used for laxative properties +n12604228 European sorrel with large slightly acidic sagittate leaves grown throughout north temperate zone for salad and spring greens +n12604460 small plant having pleasantly acid-tasting arrow-shaped leaves; common in dry places +n12604639 European dock with broad obtuse leaves and bitter rootstock common as a weed in North America +n12604845 low perennial with small silvery-green ovate to hastate leaves +n12605683 any of several rushlike plants, especially of the pine barrens of southern United States +n12606438 any plant of the genus Commelina +n12606545 any plant of the family Commelinaceae +n12607456 a tropical American plant bearing a large fleshy edible fruit with a terminal tuft of stiff leaves; widely cultivated in the tropics +n12609379 aquatic perennial of North America and Ireland and Hebrides having translucent green leaves in a basal spiral and dense buttonlike racemes of minute white flowers +n12610328 a tropical floating aquatic plant having spikes of large blue flowers; troublesome in clogging waterways especially in southern United States +n12610740 grassy-leaved North American aquatic plant with yellow star-shaped blossoms +n12611640 submerged aquatic plant having narrow leaves and small flowers; of fresh or brackish water +n12612170 marsh plant having clusters of small white or pinkish flowers and broad pointed or rounded leaves +n12612811 a variety of water plantain +n12613706 submersed plant with whorled lanceolate leaves and solitary axillary flowers; Old World plant naturalized in southern United States and clogging Florida's waterways +n12614096 American plant with roundish heart-shaped or kidney-shaped leaves; usually rooted in muddy bottoms of ponds and ditches +n12614477 a weedy aquatic plant of genus Elodea +n12614625 North American waterweed; widely naturalized in Europe +n12615232 submerged aquatic plant with ribbonlike leaves; Old World and Australia +n12615710 any of several submerged or floating freshwater perennial aquatic weeds belonging to the family Potamogetonaceae +n12616248 European herb naturalized in the eastern United States and California +n12616630 pondweed with floating leaves; of northern United States and Europe +n12616996 very similar to Potamogeton; of western Africa, Asia, and Europe +n12617559 tufted perennial found in shallow water or marshland; sometimes poisons livestock +n12618146 found in still or slow-moving fresh or brackish water; useful to oxygenate cool water ponds and aquaria +n12618727 submerged marine plant with very long narrow leaves found in abundance along North Atlantic coasts +n12620196 any of many shrubs of the genus Rosa that bear roses +n12620546 the fruit of a rose plant +n12620969 Chinese evergreen climbing rose with yellow or white single flowers +n12621410 large hardy very fragrant pink rose; cultivated in Asia Minor as source of attar of roses; parent of many hybrids +n12621619 Eurasian rose with prickly stems and fragrant leaves and bright pink flowers followed by scarlet hips +n12621945 Chinese climbing rose with fragrant white blossoms +n12622297 rose native to Mediterranean region having curved or climbing branches and loose clusters of musky-scented flowers +n12622875 a plant of the genus Agrimonia having spikelike clusters of small yellow flowers +n12623077 erect perennial Old World herb of dry grassy habitats +n12623211 fragrant European perennial herb found at woodland margins on moist soils +n12623818 shrub or small tree of northwestern North America having fragrant creamy white flowers and small waxy purple-red fruits +n12624381 Asiatic ornamental shrub with spiny branches and pink or red blossoms +n12624568 deciduous thorny shrub native to Japan having red blossoms +n12625003 small tropical American tree bearing edible plumlike fruit +n12625383 any shrub of the genus Cotoneaster: erect or creeping shrubs having richly colored autumn foliage and many small white to pinkish flowers followed by tiny red or black fruits +n12625670 climbing evergreen shrub with white flowers and red berries; often used as ground cover +n12625823 deciduous flat-growing shrub with a fanned herringbone pattern and having reddish flowers and orange-red berries; used as a ground cover +n12626674 southern United States hawthorn with pinnately lobed leaves +n12626878 common shrub or small tree of the eastern United States having few thorns and white flowers in corymbs followed by bright orange-red berries +n12627119 erect and almost thornless American hawthorn with somewhat pear-shaped berries +n12627347 eastern United States hawthorn with long straight thorns +n12627526 hawthorn of southern United States bearing a juicy, acidic, scarlet fruit that is often used in jellies or preserves +n12628356 American red-fruited hawthorn with stems and leaves densely covered with short woolly hairs +n12628705 American red-fruited hawthorn with dense corymbs of pink-red flowers +n12628986 small Asian tree with pinkish flowers and pear-shaped fruit; widely cultivated +n12629305 creeping evergreen shrub with large white flowers; widely distributed in northern portions of Eurasia and North America +n12629666 evergreen tree of warm regions having fuzzy yellow olive-sized fruit with a large free stone; native to China and Japan +n12630763 wild strawberry of western United States and South America; source of many varieties of cultivated strawberries +n12630999 North American wild strawberry with sweet scarlet fruit; a source of many cultivated strawberries +n12631331 any of various perennials of the genus Geum having usually pinnate basal leaves and variously colored flowers +n12631637 erect subshrub with deep yellow flowers; Europe and Asia and North America +n12631932 hairy yellow-flowered plant of eastern Asia and North America +n12632335 North American perennial with hairy basal pinnate leaves and purple flowers and plume-tipped fruits +n12632733 avens of Virginia having pale or greenish yellow flowers +n12633061 ornamental evergreen treelike shrub of the Pacific coast of the United States having large white flowers and red berrylike fruits; often placed in genus Photinia +n12633638 any tree of the genus Malus especially those bearing firm rounded edible fruits +n12633994 native Eurasian tree widely cultivated in many varieties for its firm rounded edible fruits +n12634211 any of numerous wild apple trees usually with small acidic fruit +n12634429 any of numerous varieties of crab apples cultivated for their small acidic (usually bright red) fruit used for preserves or as ornamentals for their blossoms +n12634734 Asian wild crab apple cultivated in many varieties for it small acid usually red fruit used for preserving +n12634986 wild crab apple native to Europe; a chief ancestor of cultivated apples +n12635151 medium-sized tree of the eastern United States having pink blossoms and small yellow fruit +n12635359 small tree or shrub of western United States having white blossoms and tiny yellow or red fruit +n12635532 small tree or shrub of southeastern United States; cultivated as an ornamental for its rose-colored blossoms +n12635744 wild crab apple of western United States with fragrant pink flowers +n12635955 derived from the Iowa crab and cultivated for its large double pink blossoms +n12636224 small deciduous Eurasian tree cultivated for its fruit that resemble crab apples +n12636885 any of a numerous plants grown for their five-petaled flowers; abundant in temperate regions; alleged to have medicinal properties +n12637123 low-growing perennial having leaves silvery beneath; northern United States; Europe; Asia +n12637485 European garden herb with purple-tinged flowers and leaves that are sometimes used for salads +n12638218 any of several trees producing edible oval fruit having a smooth skin and a single hard stone +n12638556 an uncultivated plum tree or shrub +n12638753 wild plum of northeastern United States having dark purple fruits with yellow flesh +n12638964 wild plum trees of eastern and central North America having red-orange fruit with yellow flesh +n12639168 small native American shrubby tree bearing small edible yellow to reddish fruit +n12639376 seacoast shrub of northeastern North America having showy white blossoms and edible purple fruit +n12639584 any of various widely distributed plums grown in the cooler temperate areas +n12639736 small wild or half-domesticated Eurasian plum bearing small ovoid fruit in clusters +n12639910 plum tree long cultivated for its edible fruit +n12640081 small tree of southwestern United States having purplish-red fruit sometimes cultivated as an ornamental for its large leaves +n12640284 small tree native to northeastern North America having oblong orange-red fruit +n12640435 hybrid produced by crossing Prunus domestica and Prunus armeniaca +n12640607 Asian tree having clusters of usually white blossoms and edible fruit resembling the peach +n12640839 Japanese ornamental tree with fragrant white or pink blossoms and small yellow fruits +n12641007 temperate zone tree bearing downy yellow to rosy fruits +n12641180 small hybrid apricot of Asia and Asia Minor having purplish twigs and white flowers following by inferior purple fruit +n12641413 any of numerous trees and shrubs producing a small fleshy round fruit with a single hard stone; many also produce a valuable hardwood +n12641931 an uncultivated cherry tree +n12642090 the fruit of the wild cherry tree +n12642200 large Eurasian tree producing small dark bitter fruit in the wild but edible sweet fruit under cultivation +n12642435 any of several cultivated sweet cherries having sweet juicy heart-shaped fruits +n12642600 wild or seedling sweet cherry used as stock for grafting +n12642964 Mexican black cherry tree having edible fruit +n12643113 small flowering evergreen tree of southern United States +n12643313 small Asiatic tree bearing edible red or yellow fruit +n12643473 rather small Eurasian tree producing red to black acid edible fruit +n12643688 any of several cultivated sour cherry trees bearing pale red fruit with colorless juice +n12643877 any of several cultivated sour cherry trees bearing fruit with dark skin and juice +n12644283 small bitter fruit of the marasca cherry tree from whose juice maraschino liqueur is made +n12644902 any of several small bushy trees having pink or white blossoms and usually bearing nuts +n12645174 small bushy deciduous tree native to Asia and North Africa having pretty pink blossoms and highly prized edible nuts enclosed in a hard green hull; cultivated in southern Australia and California +n12645530 almond trees having white blossoms and poisonous nuts yielding an oil used for flavoring and for medicinal purposes +n12646072 variety of large almond from Malaga, Spain; used in confectionery +n12646197 small Chinese shrub with smooth unfurrowed dark red fruit grown especially for its red or pink or white flowers +n12646397 California evergreen wild plum with spiny leathery leaves and white flowers +n12646605 shrubby Japanese cherry tree having pale pink blossoms +n12646740 woody oriental plant with smooth unfurrowed red fruit grown especially for its white or pale pink blossoms +n12646950 frequently cultivated Eurasian evergreen shrub or small tree having showy clusters of white flowers and glossy foliage and yielding oil similar to bitter almond oil +n12647231 evergreen shrub or small tree found on Catalina Island (California) +n12647376 any of several small-fruited cherry trees frequented or fed on by birds +n12647560 small European cherry tree closely resembling the American chokecherry +n12647787 small cherry much liked by birds +n12647893 small shrubby North American wild cherry with small bright red acid fruit +n12648045 cultivated in temperate regions +n12648196 variety or mutation of the peach bearing fruit with smooth skin and (usually) yellow flesh +n12648424 small straggling American cherry growing on sandy soil and having minute scarcely edible purplish-black fruit +n12648693 small tree of China and Japan bearing large yellow to red plums usually somewhat inferior to European plums in flavor +n12648888 large North American wild cherry with round black sour edible fruit +n12649065 any of several shrubs or trees of the genus Prunus cultivated for their showy white or pink single or double blossoms +n12649317 ornamental tree with inedible fruits widely cultivated in many varieties for its white blossoms +n12649539 ornamental tree with inedible fruit widely cultivated in many varieties for its pink blossoms +n12649866 shrub of the Pacific coast of the United States bearing small red insipid fruit +n12650038 shrub or tree native to Japan cultivated as an ornamental for its rose-pink flowers +n12650229 Asiatic shrub cultivated for its rosy red flowers +n12650379 deciduous Chinese shrub or small tree with often trilobed leaves grown for its pink-white flowers +n12650556 a common wild cherry of eastern North America having small bitter black berries favored by birds +n12650805 the fruit of the chokecherry tree +n12650915 chokecherry of western United States +n12651229 any of various thorny shrubs of the genus Pyracantha bearing small white flowers followed by hard red or orange-red berries +n12651611 Old World tree having sweet gritty-textured juicy fruit; widely cultivated in many varieties +n12651821 tree bearing edible fruit +n12653218 any prickly shrub of the genus Rubus bearing edible aggregate fruits +n12653436 stout-stemmed trailing shrub of New Zealand that scrambles over other growth +n12653633 European trailing bramble with red berrylike fruits +n12654227 stiff shrubby blackberry of the eastern United States (Connecticut to Florida) +n12654857 cultivated hybrid bramble of California having large dark wine-red fruit with a flavor resembling raspberries +n12655062 red-fruited bramble native from Oregon to Baja California +n12655245 North American dewberry +n12655351 of eastern North America +n12655498 of southern North America +n12655605 of eastern North America +n12655726 creeping European bramble bearing dewberries +n12655869 woody brambles bearing usually red but sometimes black or yellow fruits that separate from the receptacle when ripe and are rounder and smaller than blackberries +n12656369 the common European raspberry; fruit red or orange +n12656528 red raspberry of North America +n12656685 raspberry native to eastern North America having black thimble-shaped fruit +n12656909 large erect red-flowered raspberry of western North America having large pinkish-orange berries +n12657082 white-flowered raspberry of western North America and northern Mexico with thimble-shaped orange berries +n12657755 raspberry of China and Japan having pale pink flowers grown for ornament and for the small red acid fruits +n12658118 any of various trees of the genus Sorbus +n12658308 Eurasian tree with orange-red berrylike fruits +n12658481 decorative red berrylike fruit of a rowan tree +n12658603 a variety of mountain ash +n12658715 an ash of the western coast of North America +n12658846 medium-sized European tree resembling the rowan but bearing edible fruit +n12659064 European tree bearing edible small speckled brown fruit +n12659356 any rosaceous plant of the genus Spiraea; has sprays of small white or pink flowers +n12659539 shrub having copious small white flowers in spring +n12660601 any of numerous trees or shrubs or vines of the family Rubiaceae +n12661045 perennial East Indian creeping or climbing herb used for dye in the orient +n12661227 Eurasian herb having small yellow flowers and red roots formerly an important source of the dye alizarin +n12661538 any plant of the genus Asperula +n12662074 source of a tough elastic wood +n12662379 evergreen climbing shrub of southern Florida and West Indies grown for its racemes of fragrant white to creamy flowers followed by globose white succulent berries +n12662772 any of several small trees and shrubs native to the tropical Old World yielding coffee beans +n12663023 shrubby tree of northeastern tropical Africa widely cultivated in tropical or near tropical regions for its seed which form most of the commercial coffee +n12663254 small tree of West Africa +n12663359 native to West Africa but grown in Java and elsewhere; resistant to coffee rust +n12663804 any of several trees of the genus Cinchona +n12664005 Colombian tree; source of Cartagena bark (a cinchona bark) +n12664187 Peruvian shrub or small tree having large glossy leaves and cymes of fragrant yellow to green or red flowers; cultivated for its medicinal bark +n12664469 small tree of Ecuador and Peru having very large glossy leaves and large panicles of fragrant pink flowers; cultivated for its medicinal bark +n12664710 medicinal bark of cinchona trees; source of quinine and quinidine +n12665048 any of several plants of the genus Galium +n12665271 Old World fragrant stoloniferous perennial having small white flowers and narrow leaves used as flavoring and in sachets; widely cultivated as a ground cover; in some classifications placed in genus Asperula +n12665659 North American stoloniferous perennial having white flowers; sometimes used as an ornamental +n12665857 common yellow-flowered perennial bedstraw; North America and Europe and Asia +n12666050 bedstraw with sweetish roots +n12666159 annual having the stem beset with curved prickles; North America and Europe and Asia +n12666369 Eurasian herb with ample panicles of small white flowers; naturalized in North America +n12666965 evergreen shrub widely cultivated for its large fragrant waxlike white flowers and glossy leaves +n12667406 any tree of the genus Genipa bearing yellow flowers and edible fruit with a thick rind +n12667582 tree of the West Indies and northern South America bearing succulent edible orange-sized fruit +n12667964 any of several flowering tropical or subtropical shrubs of the genus Hamelia +n12668131 handsome shrub with showy orange to scarlet or crimson flowers; Florida and West Indies to Mexico and Brazil +n12669803 South African evergreen having hard tough wood +n12670334 a stout spreading or semi-climbing tropical shrub with round brownish-red warty fruit; Africa +n12670758 small deciduous tree of southern Africa having edible fruit +n12670962 shrubby tree of Madagascar occasionally cultivated for its edible apple-shaped fruit +n12671651 any of various deciduous or evergreen ornamental shrubs of the genus Abelia having opposite simple leaves and cymes of small white or pink or purplish flowers; Asia and Mexico +n12672289 bush honeysuckle of southeastern United States having large crowded clusters of sulfur-yellow flowers +n12673588 similar to the twinflower of northern Europe and Asia +n12674120 shrub or vine of the genus Lonicera +n12674685 erect deciduous North American shrub with yellow-white flowers +n12674895 deciduous climbing shrub with fragrant yellow-white flowers in axillary whorls +n12675299 climbing deciduous shrub with fragrant yellow (later orange) flowers in terminal whorls; southeastern United States +n12675515 twining deciduous shrub with hairy leaves and spikes of yellow-orange flowers; northeastern America +n12675876 an Asiatic trailing evergreen honeysuckle with half-evergreen leaves and fragrant white flowers turning yellow with age; has become a weed in some areas +n12676134 a variety of Japanese honeysuckle that grows like a vine; established as an aggressive escape in southeastern United States +n12676370 a grey deciduous honeysuckle shrub paired white flowers turning yellow; Japan +n12676534 European twining honeysuckle with fragrant red and yellow-white flowers +n12676703 evergreen North American honeysuckle vine having coral-red or orange flowers +n12677120 cultivated Eurasian shrub with twin yellowish-white flowers and scarlet fruit +n12677331 a variety of fly honeysuckle +n12677612 deciduous shrub of western North America having spikes of pink flowers followed by round white berries +n12677841 North American deciduous shrub cultivated for it abundant clusters of coral-red berrylike fruits +n12678794 shrub or small tree of western United States having white flowers and blue berries; fruit used in wines and jellies +n12679023 dwarf herbaceous elder of Europe having pink flowers and a nauseous odor +n12679432 common North American shrub or small tree +n12679593 Eurasian shrub +n12679876 coarse weedy American perennial herb with large usually perfoliate leaves and purple or dull red flowers +n12680402 deciduous North American shrub or small tree having three-lobed leaves and red berries +n12680652 vigorous deciduous European treelike shrub common along waysides; red berries turn black +n12680864 deciduous thicket-forming Old World shrub with clusters of white flowers and small bright red berries +n12681376 closely related to southern arrow wood; grows in the eastern United States from Maine to Ohio and Georgia +n12681579 upright deciduous shrub having frosted dark-blue fruit; east and east central North America +n12681893 deciduous shrub widely cultivated for its white or pink or red flowers +n12682411 any of several herbs of the genus Dipsacus native to the Old World having flower heads surrounded by spiny bracts +n12682668 teasel with lilac flowers native to Old World but naturalized in North America; dried flower heads used to raise a nap on woolen cloth +n12682882 similar to the common teasel and similarly used; widespread in Europe and North Africa and western Asia; naturalized in United States +n12683096 European teasel with white to pink flowers; naturalized in United States +n12683407 any of various plants of the genus Scabiosa +n12683571 Old World annual having fragrant purple to deep crimson flower heads; naturalized in United States +n12683791 perennial having bluish-lilac flowers; introduced in the eastern United States +n12684379 North American annual plant with usually yellow or orange flowers; grows chiefly on wet rather acid soil +n12685431 any of numerous plants of the family Geraniaceae +n12685831 any of numerous geraniums of the genus Geranium +n12686077 common wild geranium of eastern North America with deeply parted leaves and rose-purple flowers +n12686274 tall perennial cranesbill with paired violet-blue axillary flowers; native to northern parts of Old World and naturalized in North America +n12686496 geranium of western North America having branched clusters of white or pale pink flowers +n12686676 a sticky low herb with small reddish-purple flowers; widespread in the northern hemisphere +n12686877 geranium of western North America having pinkish-purple flowers in open clusters +n12687044 western geranium with small pink flowers; a common weed on lawns and in vacant lots +n12687462 any of several southern African geraniums having fragrant three-lobed to five-lobed leaves and pink flowers +n12687698 an upright geranium having scalloped leaves with a broad color zone inside the margin and white or pink or red flowers +n12687957 a commonly cultivated trailing South American plant with peltate leaves and rosy flowers +n12688187 geranium with round fragrant leaves and small white flowers +n12688372 a common garden geranium with lemon-scented foliage +n12688716 any of various plants of the genus Erodium +n12689305 low annual European herb naturalized in America; similar to alfilaria +n12690653 any of various tropical trees of the family Burseraceae yielding fragrant gums or resins that are burned as incense +n12691428 small tree or shrub of the southwestern United States having a spicy odor and odd-pinnate leaves and small clusters of white flowers +n12691661 tropical American tree yielding a reddish resin used in cements and varnishes +n12692024 tree yielding an aromatic gum resin burned as incense +n12692160 East Indian tree yielding a resin used medicinally and burned as incense +n12692521 small evergreen tree of Africa and Asia; leaves have a strong aromatic odor when bruised +n12692714 tree of eastern Africa and Asia yielding myrrh +n12693244 tropical American tree +n12693352 tropical American tree +n12693865 any of several aquatic plants having a star-shaped rosette of floating leaves; America, Europe and Asia +n12694486 tropical American shrub bearing edible acid red fruit resembling cherries +n12695144 any of various tropical timber trees of the family Meliaceae especially the genus Swietinia valued for their hard yellowish- to reddish-brown wood that is readily worked and takes a high polish +n12695975 tree of northern India and China having purple blossoms and small inedible yellow fruits; naturalized in the southern United States as a shade tree +n12696492 large semi-evergreen tree of the East Indies; trunk exudes a tenacious gum; bitter bark used as a tonic; seeds yield an aromatic oil; sometimes placed in genus Melia +n12696830 seed of neem trees; source of pesticides and fertilizer and medicinal products +n12697152 tropical American tree yielding fragrant wood used especially for boxes +n12697514 East Indian tree with valuable hard lustrous yellowish wood +n12698027 African tree having rather lightweight cedar-scented wood varying in color from pink to reddish brown +n12698435 any of various timber trees of the genus Flindersia +n12698598 tall Australian timber tree yielding tough hard wood used for staves etc +n12698774 Australian timber tree whose bark yields a poison +n12699031 African tree having hard heavy odorless wood +n12699301 East Indian tree bearing an edible yellow berry +n12699922 mahogany tree of West Indies +n12700088 an important Central American mahogany tree +n12700357 Philippine timber tree having hard red fragrant wood +n12702124 large Costa Rican tree having light-colored wood suitable for cabinetry; similar to the African lepidobotrys in wood structure as well as in fruit and flowers and leaves and seeds; often classified in other families +n12703190 Eurasian plant with heart-shaped trifoliate leaves and white purple-veined flowers +n12703383 South African bulbous wood sorrel with showy yellow flowers +n12703557 creeping much-branched mat-forming weed; cosmopolitan +n12703716 short-stemmed South African plant with bluish flowers +n12703856 perennial herb of eastern North America with palmately compound leaves and usually rose-purple flowers +n12704041 South American wood sorrel cultivated for its edible tubers +n12704343 East Indian tree bearing deeply ridged yellow-brown fruit +n12704513 East Indian evergreen tree bearing very acid fruit +n12705013 any of various plants of the genus Polygala +n12705220 perennial bushy herb of central and southern United States having white flowers with green centers and often purple crest; similar to Seneca snakeroot +n12705458 bog plant of pine barrens of southeastern United States having spikes of irregular yellow-orange flowers +n12705698 common trailing perennial milkwort of eastern North America having leaves like wintergreen and usually rosy-purple flowers with winged sepals +n12705978 eastern North American plant having a terminal cluster of small white flowers and medicinal roots +n12706410 small European perennial with numerous branches having racemes of blue, pink or white flowers; formerly reputed to promote human lactation +n12707199 European strong-scented perennial herb with grey-green bitter-tasting leaves; an irritant similar to poison ivy +n12707781 any of numerous tropical usually thorny evergreen trees of the genus Citrus having leathery evergreen leaves and widely cultivated for their juicy edible fruits having leathery aromatic rinds +n12708293 any citrus tree bearing oranges +n12708654 any of various common orange trees yielding sour or bitter fruit; used as grafting stock +n12708941 small tree with pear-shaped fruit whose oil is used in perfumery; Italy +n12709103 southeastern Asian tree producing large fruits resembling grapefruits +n12709349 thorny evergreen small tree or shrub of India widely cultivated for its large lemonlike fruits that have thick warty rind +n12709688 citrus tree bearing large round edible fruit having a thick yellow rind and juicy somewhat acid pulp +n12709901 shrub or small tree having flattened globose fruit with very sweet aromatic pulp and thin yellow-orange to flame-orange rind that is loose and easily removed; native to southeastern Asia +n12710295 a variety of mandarin orange +n12710415 a variety of mandarin orange that is grown around the Mediterranean and in South Africa +n12710577 a variety of mandarin orange +n12710693 probably native to southern China; widely cultivated as source of table and juice oranges +n12710917 large citrus tree having large sweet deep orange fruit that is easily peeled; widely cultivated in Florida +n12711182 hybrid between grapefruit and mandarin orange; cultivated especially in Florida +n12711398 hybrid between mandarin orange and lemon having very acid fruit with orange peel +n12711596 a small evergreen tree that originated in Asia but is widely cultivated for its fruit +n12711817 lemon tree having fruit with a somewhat insipid sweetish pulp +n12711984 any of various related trees bearing limes +n12712320 more aromatic and acidic than oranges +n12712626 Eurasian perennial herb with white flowers that emit flammable vapor in hot weather +n12713063 any of several trees or shrubs of the genus Fortunella bearing small orange-colored edible fruits with thick sweet-flavored skin and sour pulp +n12713358 shrub bearing round-fruited kumquats +n12713521 shrub bearing oval-fruited kumquats +n12713866 deciduous tree of China and Manchuria having a turpentine aroma and handsome compound leaves turning yellow in autumn and deeply fissured corky bark +n12714254 small fast-growing spiny deciduous Chinese orange tree bearing sweetly scented flowers and decorative but inedible fruit: used as a stock in grafting and for hedges +n12714755 any of a number of trees or shrubs of the genus Zanthoxylum having spiny branches +n12714949 small deciduous aromatic shrub (or tree) having spiny branches and yellowish flowers; eastern North America +n12715195 densely spiny ornamental of southeastern United States and West Indies +n12715914 any of various trees or shrubs of the family Simaroubaceae having wood and bark with a bitter taste +n12716400 tree of the Amazon valley yielding a light brittle timber locally regarded as resistant to insect attack +n12716594 medium to large tree of tropical North and South America having odd-pinnate leaves and long panicles of small pale yellow flowers followed by scarlet fruits +n12717072 any of several deciduous Asian trees of the genus Ailanthus +n12717224 deciduous rapidly growing tree of China with foliage like sumac and sweetish fetid flowers; widely planted in United States as a street tree because of its resistance to pollution +n12717644 African tree with edible yellow fruit resembling mangos; valued for its oil-rich seed and hardy green wood that resists termites +n12718074 small African deciduous tree with spreading crown having leaves clustered toward ends of branches and clusters of creamy flowers resembling lilacs +n12718483 West Indian tree yielding the drug Jamaica quassia +n12718995 handsome South American shrub or small tree having bright scarlet flowers and yielding a valuable fine-grained yellowish wood; yields the bitter drug quassia from its wood and bark +n12719684 any tropical American plant of the genus Tropaeolum having pungent juice and long-spurred yellow to red flowers +n12719944 strong-growing annual climber having large flowers of all shades of orange from orange-red to yellowish orange and seeds that are pickled and used like capers +n12720200 annual with deep yellow flowers smaller than the common garden nasturtium +n12720354 a climber having flowers that are the color of canaries +n12721122 perennial shrub of the eastern Mediterranean region and southwestern Asia having flowers whose buds are used as capers +n12721477 South American tree of dry interior regions of Argentina and Paraguay having resinous heartwood used for incense +n12722071 small evergreen tree of Caribbean and southern Central America to northern South America; a source of lignum vitae wood, hardest of commercial timbers, and a medicinal resin +n12723062 desert shrub of southwestern United States and New Mexico having persistent resinous aromatic foliage and small yellow flowers +n12723610 tropical annual procumbent poisonous subshrub having fruit that splits into five spiny nutlets; serious pasture weed +n12724942 any of numerous deciduous trees and shrubs of the genus Salix +n12725521 any of various willows having pliable twigs used in basketry and furniture +n12725738 large willow tree of Eurasia and North Africa having greyish canescent leaves and grey bark +n12725940 North American willow with greyish silky pubescent leaves that usually blacken in drying +n12726159 European willow having greyish leaves and yellow-orange twigs used in basketry +n12726357 Eurasian willow tree having greyish leaves and ascending branches +n12726528 low creeping shrub of Arctic Europe and America +n12726670 willow with long drooping branches and slender leaves native to China; widely cultivated as an ornamental +n12726902 hybrid willow usually not strongly weeping in habit +n12727101 small willow of eastern North America having greyish leaves and silky catkins that come before the leaves +n12727301 any of several Old World shrubby broad-leaved willows having large catkins; some are important sources for tanbark and charcoal +n12727518 much-branched Old World willow having large catkins and relatively large broad leaves +n12727729 willow of the western United States with leaves like those of peach or almond trees +n12727960 Old World willow with light green leaves cultivated for use in basketry +n12728164 North American shrub with whitish canescent leaves +n12728322 large willow tree with stiff branches that are easily broken +n12728508 slender shrubby willow of dry areas of North America +n12728656 widely distributed boreal shrubby willow with partially underground creeping stems and bright green glossy leaves +n12728864 Eurasian shrubby willow with whitish tomentose twigs +n12729023 shrubby willow of the western United States +n12729164 common North American shrub with shiny lanceolate leaves +n12729315 North American shrubby willow having dark bark and linear leaves growing close to streams and lakes +n12729521 European willow tree with shining leathery leaves; widely naturalized in the eastern United States +n12729729 Eurasian osier having reddish or purple twigs and bark rich in tannin +n12729950 small shrubby tree of eastern North America having leaves exuding an odor of balsam when crushed +n12730143 small trailing bush of Europe and Asia having straggling branches with silky green leaves of which several varieties are cultivated +n12730370 small shrubby tree of western North America (Alaska to Oregon) +n12730544 willow shrub of dry places in the eastern United States having long narrow leaves canescent beneath +n12730776 dwarf prostrate mat-forming shrub of Arctic and alpine regions of North America and Greenland having deep green elliptic leaves that taper toward the base +n12731029 willow with long flexible twigs used in basketry +n12731401 any of numerous trees of north temperate regions having light soft wood and flowers borne in catkins +n12731835 poplar of northeastern North America with broad heart-shaped leaves +n12732009 a poplar that is widely cultivated in the United States; has white bark and leaves with whitish undersurfaces +n12732252 large rapidly growing poplar with faintly lobed dentate leaves grey on the lower surface; native to Europe but introduced and naturalized elsewhere +n12732491 large European poplar +n12732605 distinguished by its columnar fastigiate shape and erect branches +n12732756 any of several North American trees of the genus Populus having a tuft of cottony hairs on the seed +n12732966 a common poplar of eastern and central United States; cultivated in United States for its rapid growth and luxuriant foliage and in Europe for timber +n12733218 cottonwood of western North America with dark green leaves shining above and rusty or silvery beneath +n12733428 North American poplar with large rounded scalloped leaves and brownish bark and wood +n12733647 any of several trees of the genus Populus having leaves on flattened stalks so that they flutter in the lightest wind +n12733870 Old World aspen with a broad much-branched crown; northwestern Europe and Siberia to North Africa +n12734070 slender aspen native to North America +n12734215 aspen with a narrow crown; eastern North America +n12735160 parasitic tree of Indonesia and Malaysia having fragrant close-grained yellowish heartwood with insect repelling properties and used, e.g., for making chests +n12736603 Australian tree with edible flesh and edible nutlike seed +n12736999 shrub of southeastern United States parasitic on roots of hemlocks having sparse spikes of greenish flowers and pulpy drupes +n12737383 in some classification includes Viscaceae: parasitic or hemiparasitic shrublets or shrubs or small trees of tropical and temperate regions; attach to hosts by haustoria +n12737898 shrub of central and southeastern Europe; partially parasitic on beeches, chestnuts and oaks +n12738259 small herb with scalelike leaves on reddish-brown stems and berrylike fruits; parasitic on spruce and larch trees +n12739332 Old World parasitic shrub having branching greenish stems with leathery leaves and waxy white glutinous berries; the traditional mistletoe of Christmas +n12739966 the traditional mistletoe of Christmas in America: grows on deciduous trees and can severely weaken the host plant +n12740967 a small Hawaiian tree with hard dark wood +n12741222 a tree of the genus Sapindus whose fruit is rich in saponin +n12741586 deciduous tree of southwestern United States having pulpy fruit containing saponin +n12741792 evergreen of tropical America having pulpy fruit containing saponin which was used as soap by Native Americans +n12742290 widely cultivated in tropical and subtropical regions for its fragrant flowers and colorful fruits; introduced in Jamaica by William Bligh +n12742741 tendril-climbing vine +n12742878 herbaceous vine of tropical America and Africa +n12743009 woody perennial climbing plant with large ornamental seed pods that resemble balloons; tropical India and Africa and America +n12743352 tree of southeastern Asia to Australia grown primarily for its sweet edible fruit resembling litchi nuts; sometimes placed in genera Euphorbia or Nephelium +n12743823 any of various tree of the genus Harpullia +n12743976 fast-growing tree of India and East Indies yielding a wood used especially for building +n12744142 Australian tree yielding a variegated tulipwood +n12744387 Chinese tree cultivated especially in Philippines and India for its edible fruit; sometimes placed in genus Nephelium +n12744850 tropical American tree bearing a small edible fruit with green leathery skin and sweet juicy translucent pulp +n12745386 Malayan tree bearing spiny red fruit +n12745564 East Indian fruit tree bearing fruit similar to but sweeter than that of the rambutan +n12746884 any plant of the genus Pachysandra; low-growing evergreen herbs or subshrubs having dentate leaves and used as ground cover +n12747120 low semi-evergreen perennial herb having small spikes of white or pinkish flowers; native to southern United States but grown elsewhere +n12748248 twining shrub of North America having yellow capsules enclosing scarlet seeds +n12749049 any shrubby trees or woody vines of the genus Euonymus having showy usually reddish berries +n12749456 bushy deciduous shrub with branches having thin wide corky longitudinal wings; brilliant red in autumn; northeastern Asia to central China +n12749679 deciduous shrub having purple capsules enclosing scarlet seeds +n12749852 upright deciduous plant with crimson pods and seeds; the eastern United States from New York to Florida and Texas +n12750076 broad and bushy Asiatic twining shrub with pinkish fruit; many subspecies or varieties +n12750767 shrub or small tree of southeastern United States to West Indies and Brazil; grown for the slender racemes of white flowers and orange and crimson foliage +n12751172 tree of low-lying coastal areas of southeastern United States having glossy leaves and racemes of fragrant white flowers +n12751675 a low evergreen shrub with small purple flowers and black berrylike fruit +n12752205 any of numerous trees or shrubs of the genus Acer bearing winged seeds in pairs; north temperate zone +n12753007 a common North American maple tree; five-lobed leaves are light green above and silvery white beneath; source of hard close-grained but brittle light-brown wood +n12753245 maple of eastern and central North America having three-lobed to five-lobed leaves and hard close-grained wood much used for cabinet work especially the curly-grained form; sap is chief source of maple syrup and maple sugar; many subspecies +n12753573 maple of eastern and central America; five-lobed leaves turn scarlet and yellow in autumn +n12753762 maple of eastern North America with striped bark and large two-lobed leaves clear yellow in autumn +n12754003 maple of western North America having large 5-lobed leaves orange in autumn +n12754174 small maple of northwestern North America +n12754311 small shrubby maple of eastern North America; scarlet in autumn +n12754468 small maple of northwestern North America having prostrate stems that root freely and form dense thickets +n12754648 shrubby Eurasian maple often used as a hedge +n12754781 a large Eurasian maple tree naturalized in North America; five-lobed leaves yellow in autumn; cultivated in many varieties +n12754981 Eurasian maple tree with pale grey bark that peels in flakes like that of a sycamore tree; leaves with five ovate lobes yellow in autumn +n12755225 common shade tree of eastern and central United States +n12755387 maple of the Pacific coast of the United States; fruits are white when mature +n12755559 small shrubby Japanese plant with leaves having 5 to 7 acuminate lobes; yellow in autumn +n12755727 leaves deeply incised and bright red in autumn; Japan +n12755876 ornamental shrub or small tree of Japan and Korea with deeply incised leaves; cultivated in many varieties +n12756457 any tree or shrub of the genus Ilex having red berries and shiny evergreen leaves with prickly edges +n12757115 dense rounded evergreen shrub of China having spiny leaves; widely cultivated as an ornamental +n12757303 deciduous shrub of southeastern and central United States +n12757458 evergreen holly of eastern North America with oblong leathery leaves and small black berries +n12757668 South American holly; leaves used in making a drink like tea +n12757816 an evergreen tree +n12757930 an evergreen shrub +n12758014 an evergreen shrub +n12758099 an evergreen shrub +n12758176 a holly tree +n12758250 a holly shrub +n12758325 a holly tree +n12758399 a holly shrub +n12758471 a holly shrub +n12758555 a holly shrub +n12759273 tropical American evergreen tree bearing kidney-shaped nuts that are edible only when roasted +n12759668 tall tropical American timber tree especially abundant in eastern Brazil; yields hard strong durable zebrawood with straight grain and dark strips on a pinkish to yellowish ground; widely used for veneer and furniture and heavy construction +n12760539 Old World shrub having large plumes of yellowish feathery flowers resembling puffs of smoke +n12760875 small aromatic evergreen shrub of California having paniculate leaves and whitish berries; in some classifications included in genus Rhus +n12761284 large evergreen tropical tree cultivated for its large oval fruit +n12761702 small tree of southern Europe and Asia Minor bearing small hard-shelled nuts +n12761905 a Mediterranean tree yielding Chian turpentine +n12762049 an evergreen shrub of the Mediterranean region that is cultivated for its resin +n12762405 evergreen of Australia yielding a dark yellow wood +n12762896 a shrub or tree of the genus Rhus (usually limited to the non-poisonous members of the genus) +n12763529 common nonpoisonous shrub of eastern North America with waxy compound leaves and green paniculate flowers followed by red berries +n12764008 evergreen shrub of southeastern United States with spikes of reddish yellow flowers and glandular hairy fruits +n12764202 deciduous shrubby tree or eastern North America with compound leaves that turn brilliant red in fall and dense panicles of greenish yellow flowers followed by crimson acidic berries +n12764507 deciduous shrub of California with unpleasantly scented usually trifoliate leaves and edible fruit +n12764978 small resinous tree or shrub of Brazil +n12765115 small Peruvian evergreen with broad rounded head and slender pendant branches with attractive clusters of greenish flowers followed by clusters of rose-pink fruits +n12765402 small Brazilian evergreen resinous tree or shrub having dark green leaflets and white flowers followed by bright red fruit; used as a street tree and lawn specimen +n12765846 tropical American tree having edible yellow fruit +n12766043 common tropical American shrub or small tree with purplish fruit +n12766595 smooth American swamp shrub with pinnate leaves and greenish flowers followed by greenish white berries; yields an irritating oil +n12766869 climbing plant common in eastern and central United States with ternate leaves and greenish flowers followed by white berries; yields an irritating oil that causes a rash on contact +n12767208 poisonous shrub of the Pacific coast of North America that causes a rash on contact +n12767423 poisonous shrub of southeastern United States causing a rash on contact +n12767648 small Asiatic tree yielding a toxic exudate from which lacquer is obtained +n12768369 tree having palmate leaves and large clusters of white to red flowers followed by brown shiny inedible seeds +n12768682 the inedible nutlike seed of the horse chestnut +n12768809 a tall and often cultivated buckeye of the central United States +n12768933 a buckeye with scaly grey bark that is found in the central United States +n12769065 a spreading shrub with pink flowers; found in southeastern United States +n12769219 a shrub buckeye of southern United States +n12769318 a buckeye marked by different colors or tints +n12770529 tropical tree of southern Asia having hard dark-colored heartwood used in cabinetwork +n12770892 large Asiatic tree having hard marbled zebrawood +n12771085 hard marbled wood +n12771192 any of several tropical trees of the genus Diospyros +n12771390 small deciduous Asiatic tree bearing large red or orange edible astringent fruit +n12771597 medium-sized tree of dry woodlands in the southern and eastern United States bearing yellow or orange very astringent fruit that is edible when fully ripe +n12771890 an Asiatic persimmon tree cultivated for its small yellow or purplish-black edible fruit much valued by Afghan tribes +n12772753 any shrub or small tree of the genus Bumelia +n12772908 shrubby thorny deciduous tree of southeastern United States with white flowers and small black drupaceous fruit +n12773142 deciduous tree of southeastern United States and Mexico +n12773651 evergreen tree of West Indies and Central America having edible purple fruit star-shaped in cross section and dark green leaves with golden silky undersides +n12773917 tropical American timber tree with dark hard heavy wood and small plumlike purple fruit +n12774299 a tropical hardwood tree yielding balata gum and heavy red timber +n12774641 large tropical American evergreen yielding chicle gum and edible fruit; sometimes placed in genus Achras +n12775070 one of several East Indian trees yielding gutta-percha +n12775393 one of several East Indian trees yielding gutta-percha +n12775717 tropical tree of Florida and West Indies yielding edible fruit +n12775919 tropical American tree having wood like mahogany and sweet edible egg-shaped fruit; in some classifications placed in the genus Calocarpum +n12776558 small yellowwood tree of southern United States having small fragrant white flowers; leaves and bark yield a yellow dye +n12776774 deciduous shrub of eastern Asia bearing decorative bright blue fruit +n12777436 any shrub or small tree of the genus Styrax having fragrant bell-shaped flowers that hang below the dark green foliage +n12777680 small tree native to Japan +n12777778 shrubby tree of China and Japan +n12777892 styrax of southwestern United States; a threatened species +n12778398 medium-sized tree of West Virginia to Florida and Texas +n12778605 plants adapted to attract and capture and digest primarily insects but also other small animals +n12779603 any of several insectivorous herbs of the order Sarraceniales +n12779851 perennial bog herb having dark red flowers and decumbent broadly winged pitchers forming a rosette; of northeastern North America and naturalized in Europe especially Ireland +n12780325 yellow-flowered pitcher plant of southeastern United States having trumpet-shaped leaves with the orifice covered with an arched hood +n12780563 pitcher plant of southeastern United States having erect yellow trumpet-shaped pitchers with wide mouths and erect lids +n12781940 any of several tropical carnivorous shrubs or woody herbs of the genus Nepenthes +n12782530 any of various bog plants of the genus Drosera having leaves covered with sticky hairs that trap and digest insects; cosmopolitan in distribution +n12782915 carnivorous plant of coastal plains of the Carolinas having sensitive hinged marginally bristled leaf blades that close and entrap insects +n12783316 floating aquatic carnivorous perennial of central and southern Europe, Africa, Asia, Australia having whorls of 6 to 9 leaves ending in hinged lobes for capturing e.g. water fleas +n12783730 perennial of dry habitats whose leaves have glandular hairs that secrete adhesive and digestive fluid for capture and digestion of insects; Portugal, southern Spain and Morocco +n12784371 either of 2 species of the genus Roridula; South African viscid perennial low-growing woody shrubs +n12784889 a carnivorous perennial herb having a green pitcher and hinged lid both with red edges; western Australia +n12785724 any of various plants of the genus Sedum +n12785889 any of various northern temperate plants of the genus Sedum having fleshy leaves and red or yellow or white flowers +n12786273 Eurasian mountain plant with fleshy pink-tipped leaves and a cluster of yellow flowers +n12786464 perennial northern temperate plant with toothed leaves and heads of small purplish-white flowers +n12786836 perennial subshrub of Tenerife having leaves in rosettes resembling pinwheels +n12787364 Australian tree or shrub with red flowers; often used in Christmas decoration +n12788854 deciduous shrub bearing roundheaded flower clusters opening green and aging to pink or blue +n12789054 deciduous shrub or small tree with pyramidal flower clusters +n12789554 California evergreen shrub having glossy opposite leaves and terminal clusters of a few fragrant white flowers +n12789977 woody climber of southeastern United States having white flowers in compound terminal clusters +n12790430 any of various shrubs of the genus Deutzia having usually toothed opposite leaves and shredding bark and white or pink flowers in loose terminal clusters +n12791064 any of various chiefly deciduous ornamental shrubs of the genus Philadelphus having white sweet-scented flowers, single or in clusters; widely grown in temperate regions +n12791329 large hardy shrub with showy and strongly fragrant creamy-white flowers in short terminal racemes +n12793015 any of various plants of the genus Saxifraga +n12793284 tufted evergreen perennial having ciliate leaves and yellow corymbose flowers often spotted orange +n12793494 rosette-forming perennial having compact panicles of white flowers; Europe +n12793695 tufted or mat-forming perennial of mountains of Europe; cultivated for its white flowers +n12793886 saxifrage having loose clusters of white flowers on hairy stems growing from a cluster of basal leaves; moist slopes of western North America +n12794135 plants forming dense cushions with bright reddish-lavender flowers; rocky areas of Europe and Asia and western North America +n12794367 small often mat-forming alpine plant having small starlike white flowers; Europe +n12794568 eastern Asiatic saxifrage with racemes of small red-and-white flowers; spreads by numerous creeping stolons +n12794985 any plant of the genus Astilbe having compound leaves and showy panicles of tiny colorful flowers +n12795209 North American astilbe with panicles of creamy white flowers +n12795352 mat-forming evergreen Asiatic plant with finely cut leaves and small pink to burgundy flowers; grown as ground cover +n12795555 a Japanese shrub that resembles members of the genus Spiraea; widely cultivated in many varieties for its dense panicles of flowers in many colors; often forced by florists for Easter blooming +n12796022 any plant of the genus Bergenia; valued as an evergreen ground cover and for the spring blossoms +n12796385 plant with leaves mostly at the base and openly branched clusters of small white flowers; western North America +n12796849 any of various low aquatic herbs of the genus Chrysosplenium +n12797368 rhizomatous perennial herb with large dramatic peltate leaves and white to bright pink flowers in round heads on leafless stems; colonizes stream banks in the Sierra Nevada in California +n12797860 Chilean evergreen shrub having delicate spikes of small white flowers +n12798284 any of several herbs of the genus Heuchera +n12798910 perennial plant of the western United States having bright red flowers in feathery spikes; used as an ornamental +n12799269 plant with basal leathery elliptic leaves and erect leafless flower stalks each bearing a dense roundish cluster of tiny white flowers; moist places of northwestern North America to Oregon and Idaho +n12799776 California perennial herb cultivated for its racemose white flowers with widely spreading petals; sometimes placed in genus Tellima +n12800049 plant with mostly basal leaves and slender open racemes of white or pale pink flowers; prairies and open forest of northwestern United States to British Columbia and Alberta +n12800586 any of various rhizomatous perennial herbs of the genus Mitella having a capsule resembling a bishop's miter +n12801072 small plant with leaves in a basal cluster and tiny greenish flowers in slender racemes; northwestern North America to California and Colorado +n12801520 any of various usually evergreen bog plants of the genus Parnassia having broad smooth basal leaves and a single pale flower resembling a buttercup +n12801781 plant having ovate leaves in a basal rosette and white starlike flowers netted with green +n12801966 bog plant with broadly heart-shaped basal leaves and cream-colored or white saucer-shaped flowers with fringed petals; west of Rocky Mountains from Alaska to New Mexico +n12803226 plant growing in clumps with mostly basal leaves and cream-colored or pale pink fringed flowers in several long racemes; Alaska to coastal central California and east to Idaho +n12803754 stoloniferous white-flowered spring-blooming woodland plant +n12803958 plant with tiny white flowers hanging in loose clusters on leafy stems; moist woods from Alaska to central California and east to Montana +n12804352 vigorous perennial herb with flowers in erect racemes and having young plants develop at the junction of a leaf blade and the leafstalk +n12805146 any of various deciduous shrubs of the genus Ribes bearing currants +n12805561 widely cultivated current bearing edible black aromatic berries +n12805762 garden currant bearing small white berries +n12806015 spiny Eurasian shrub having greenish purple-tinged flowers and ovoid yellow-green or red-purple berries +n12806732 any of several trees of the genus Platanus having thin pale bark that scales off in small plates and lobed leaves and ball-shaped heads of fruits +n12807251 very large fast-growing tree much planted as a street tree +n12807409 very large spreading plane tree of eastern and central North America to Mexico +n12807624 large tree of southeastern Europe to Asia Minor +n12807773 tall tree of Baja California having deciduous bark and large alternate palmately lobed leaves and ball-shaped clusters of flowers +n12808007 medium-sized tree of Arizona and adjacent regions having deeply lobed leaves and collective fruits in groups of 3 to 5 +n12809868 erect or spreading perennial of the eastern United States +n12810007 perennial erect herb with white flowers; circumboreal +n12810151 tall herb of the Rocky Mountains having sticky leaves and an offensive smell +n12810595 any polemoniaceous plant of the genus Phlox; chiefly North American; cultivated for their clusters of flowers +n12811027 low tufted perennial phlox with needlelike evergreen leaves and pink or white flowers; native to United States and widely cultivated as a ground cover +n12811713 small California annual with white flowers +n12812235 any plant of the genus Acanthus having large spiny leaves and spikes or white or purplish flowers; native to Mediterranean region but widely cultivated +n12812478 widely cultivated southern European acanthus with whitish purple-veined flowers +n12812801 tropical Old World shrub having purple or red tubular flowers and leaf markings resembling the profile of a human face +n12813189 tropical African climbing plant having yellow flowers with a dark purple center +n12814643 tree of the genus Catalpa with large leaves and white flowers followed by long slender pods +n12814857 catalpa tree of southern United States +n12814960 catalpa tree of central United States +n12815198 evergreen shrubby tree resembling a willow of dry regions of southwestern North America having showy purplish flowers and long seed pods +n12815668 tropical American evergreen that produces large round gourds +n12815838 round gourd of the calabash tree +n12816508 hairy blue-flowered European annual herb long used in herbal medicine and eaten raw as salad greens or cooked like spinach +n12816942 annual of western United States with coiled spikes of yellow-orange coiled flowers +n12817464 any of various Old World herbs of the genus Anchusa having one-sided clusters of trumpet-shaped flowers +n12817694 perennial or biennial herb cultivated for its delicate usually blue flowers +n12817855 anchusa of southern Africa having blue flowers with white throats +n12818004 anchusa of southern Africa having blue to red-purple flowers +n12818346 large tropical American tree of the genus Cordia grown for its abundant creamy white flowers and valuable wood +n12818601 tropical American timber tree +n12818966 biennial east Asian herb grown for its usually bright blue flowers +n12819141 biennial shrub of Europe and western Asia having coarse tongue-shaped leaves and dark reddish-purple flowers +n12819354 perennial shrub of North America having coarse tongue-shaped leaves and pale-blue to purple flowers +n12819728 a coarse prickly European weed with spikes of blue flowers; naturalized in United States +n12820113 Eurasian and North American plants having small prickly nutlets that stick to clothing +n12820669 European perennial branching plant; occurs in hedgerows and at the edge of woodlands +n12820853 perennial plant of eastern North America having hairy foliage yielding a red or yellow pigment +n12821505 smooth erect herb of eastern North America having entire leaves and showy blue flowers that are pink in bud +n12821895 small biennial to perennial herb of Europe, northern Africa and western Asia having blue, purple or white flowers +n12822115 small perennial herb having bright blue or white flowers +n12822466 any of several North American perennial herbs with hairy foliage and small yellowish or greenish flowers +n12822769 perennial herbs of Europe and Iran; make rapidly growing groundcover for shaded areas +n12822955 European herb having small white, pink or purple flowers; naturalized as a weed in North America +n12823717 any of numerous plants of the genus Convolvulus +n12823859 any of several vines of the genera Convolvulus and Calystegia having a twining habit +n12824053 weakly climbing European perennial with white or pink flowers; naturalized in North America and an invasive weed +n12824289 twining plant of Asia Minor having cream-colored to purple flowers and long thick roots yielding a cathartic resin +n12824735 any of various twining shrubs of the genus Argyreia having silvery leaves and showy purple flowers +n12825497 a leafless annual parasitic vine of the genus Cuscuta having whitish or yellow filamentous stems; obtain nourishment through haustoria +n12826143 a creeping perennial herb with hairy stems and orbicular to reniform leaves and small white to greenish flowers; used as a grass substitute in warm regions +n12827270 tropical American annual climber having red (sometimes white) flowers and finely dissected leaves; naturalized in United States and elsewhere +n12827537 pantropical climber having white fragrant nocturnal flowers +n12827907 tropical American prostrate or climbing herbaceous perennial having an enormous starchy root; sometimes held to be source of the sweet potato +n12828220 annual herb having scarlet flowers; the eastern United States +n12828379 a morning glory with long roots of western United States +n12828520 tropical American morning glory +n12828791 annual Old World tropical climbing herb distinguished by wide color range and frilled or double flowers +n12828977 hybrid from Ipomoea nil +n12829582 any of numerous tropical or subtropical small shrubs or treelets or epiphytic vines of the family Gesneriaceae: African violet; Cape primroses; gloxinia +n12829975 any plant of the genus Gesneria +n12830222 any plant of the genus Achimenes having showy bell-shaped flowers that resemble gloxinias +n12830568 a plant of the genus Aeschynanthus having somewhat red or orange flowers and seeds having distinctive hairs at base and apex +n12831141 low-growing creeping perennial of Central America having deeply fringed white flowers; sometimes placed in genus Episcia +n12831535 tropical plant having thick hairy somewhat toothed leaves and solitary or clustered yellow to scarlet flowers; many cultivated for their flowers and ornamental foliage +n12831932 any plant of the genus Episcia; usually creeping and stoloniferous and of cascading habit; grown for their colorful foliage and flowers +n12832315 any of several plants of the genera Gloxinia or Sinningia (greenhouse gloxinias) having showy bell-shaped flowers +n12832538 herb of Colombia to Peru having pale purple flowers +n12832822 shrubby herb cultivated for their soft velvety foliage and showy scarlet flowers +n12833149 tropical African plant cultivated as a houseplant for its violet or white or pink flowers +n12833985 any of various plants of the genus Streptocarpus having leaves in a basal rosette and flowers like primroses +n12834190 any of various African plants of the genus Streptocarpus widely cultivated especially as houseplants for their showy blue or purple flowers +n12834798 any of several plants of the genus Hydrophyllum +n12834938 showy perennial herb with white flowers; leaves sometimes used as edible greens in southeastern United States +n12835331 viscid herb of arid or desert habitats of southwestern United States having pendulous yellow flowers +n12835766 viscid evergreen shrub of western United States with white to deep lilac flowers; the sticky aromatic leaves are used in treating bronchial and pulmonary illnesses +n12836212 any plant of the genus Nemophila +n12836337 delicate California annual having blue flowers marked with dark spots +n12836508 California annual having white flowers with a deep purple blotch on each petal +n12836862 any plant of the genus Phacelia +n12837052 annual of southern California with intricately branched stems and lax cymes of aromatic deep blue bell-shaped flowers +n12837259 desert plant of southern California with blue or violet tubular flowers in terminal racemes +n12837466 hairy annual of California to Mexico with crowded cymes of small blue to lilac or mauve flowers +n12837803 straggling California annual herb with deep purple or violet flowers; sometimes placed in genus Nemophila +n12839574 fragrant European mint having clusters of small violet-and-white flowers; naturalized especially in eastern North America +n12839979 any of a number of aromatic plants of the genus Agastache +n12840168 erect perennial with stout stems and yellow-green flowers; southern Canada and southeastern United States +n12840362 much-branched North American herb with an odor like fennel +n12840502 erect perennial of Mexico having rose to crimson flowers +n12840749 any of various low-growing annual or perennial evergreen herbs native to Eurasia; used for ground cover +n12841007 low rhizomatous European carpeting plant having spikes of blue flowers; naturalized in parts of United States +n12841193 upright rhizomatous perennial with bright blue flowers; southern Europe +n12841354 European evergreen carpeting perennial +n12842302 American herb of genus Blephilia with more or less hairy leaves and clusters of purplish or bluish flowers +n12842519 a variety of wood mint +n12842642 a variety of wood mint +n12842887 perennial aromatic herbs growing in hedgerows or scrub or open woodlands from western Europe to central Asia and in North America +n12843144 mint-scented perennial of central and southern Europe +n12843316 aromatic herb with large pink flowers; southern and southeastern Europe; Anatolia; northern Iran +n12843557 low-growing strongly aromatic perennial herb of southern Europe to Great Britain; naturalized in United States +n12843970 aromatic herb having heads of small pink or whitish flowers; widely distributed in United States, Europe and Asia +n12844409 erect perennial strong-scented with serrate pointed leaves and a loose panicle of yellowish flowers; the eastern United States +n12844939 any of various Old World tropical plants of the genus Coleus having multicolored decorative leaves and spikes of blue flowers +n12845187 an aromatic fleshy herb of India and Ceylon to South Africa; sometimes placed in genus Plectranthus +n12845413 perennial aromatic herb of southeastern Asia having large usually bright-colored or blotched leaves and spikes of blue-violet flowers; sometimes placed in genus Solenostemon +n12845908 small shrub of Apalachicola River area in southeastern United States having highly aromatic pinkish flowers; a threatened species +n12846335 American herb having sharply serrate lanceolate leaves and spikes of blue to violet flowers +n12846690 any of various aromatic herbs of the genus Elsholtzia having blue or purple flowers in one-sided spikes +n12847008 coarse bristly Eurasian plant with white or reddish flowers and foliage resembling that of a nettle; common as a weed in United States +n12847374 trailing European aromatic plant of the mint family having rounded leaves and small purplish flowers often grown in hanging baskets; naturalized in North America; sometimes placed in genus Nepeta +n12847927 erect hairy branching American herb having purple-blue flowers; yields an essential oil used as an insect repellent and sometimes in folk medicine +n12848499 a European mint with aromatic and pungent leaves used in perfumery and as a seasoning in cookery; often cultivated as a remedy for bruises; yields hyssop oil +n12849061 any of various plants of the genus Lamium having clusters of small usually purplish flowers with two lips +n12849279 European dead nettle with white flowers +n12849416 Eurasian plant having toothed leaves and small two-lipped white or purplish-red flowers +n12849952 aromatic Mediterranean shrub widely cultivated for its lilac flowers which are dried and used in sachets +n12850168 shrubby greyish lavender of southwestern Europe having usually reddish-purple flowers +n12850336 Mediterranean plant with pale purple flowers that yields spike lavender oil +n12850906 relatively nontoxic South African herb smoked like tobacco +n12851094 pantropical herb having whorls of striking lipped flowers; naturalized in United States +n12851469 bitter Old World herb of hedgerows and woodland margins having toothed leaves and white or pale pink flowers +n12851860 California plant with woolly stems and leaves and large white flowers +n12852234 a mildly narcotic and astringent aromatic herb having small whitish flowers; eastern United States +n12852428 aromatic perennial herb of United States +n12852570 hairy Eurasian herb with two-lipped white flowers +n12853080 any of various fragrant aromatic herbs of the genus Origanum used as seasonings +n12853287 aromatic Eurasian perennial +n12853482 aromatic European plant native to Mediterranean and Turkey; not widespread in Europe +n12854048 any of various aromatic herbs of the genus Marrubium +n12854193 European aromatic herb with hairy leaves and numerous white flowers in axillary cymes; leaves yield a bitter extract use medicinally and as flavoring +n12854600 bushy perennial Old World mint having small white or yellowish flowers and fragrant lemon-flavored leaves; a garden escapee in northern Europe and North America +n12855365 European mint naturalized in United States +n12855494 a European mint that thrives in wet places; has a perfume like that of the bergamot orange; naturalized in eastern North America +n12855710 mint with leaves having perfume like that of the bergamot orange +n12855886 a coarse Old World wild water mint having long leaves and spikelike clusters of flowers; naturalized in the eastern United States +n12856091 herb with downy leaves and small purple or white flowers that yields a pungent oil used as a flavoring +n12856287 common garden herb having clusters of small purplish flowers and yielding an oil used as a flavoring +n12856479 mint with apple-scented stems of southern and western Europe; naturalized in United States +n12856680 Eurasian perennial mint have small lilac-blue flowers and ovate leaves; yields an aromatic oil +n12857204 trailing perennial evergreen herb of northwestern United States with small white flowers; used medicinally +n12857779 aromatic annual with a tall stems of small whitish flowers enclosed in a greatly enlarged saucer-shaped or bell-shaped calyx +n12858150 any of various aromatic herbs of the genus Monarda +n12858397 perennial aromatic herb of eastern North America having variously colored tubular flowers in dense showy heads +n12858618 tall erect perennial or annual having lanceolate leaves and heads of purple-spotted creamy flowers; many subspecies grown from eastern to southwestern United States and in Mexico +n12858871 perennial herb of North America +n12858987 an annual horsemint of central and western United States and northern Mexico +n12859153 annual of southern United States +n12859272 perennial herb of North America (New York to Illinois and mountains of Alaska) having aromatic leaves and clusters of yellowish-pink balls +n12859679 fragrant California annual herb having lanceolate leaves and clusters of rose-purple flowers +n12859986 hairy aromatic perennial herb having whorls of small white purple-spotted flowers in a terminal spike; used in the past as a domestic remedy; strongly attractive to cats +n12860365 any of several Old World tropical aromatic annual or perennial herbs of the genus Ocimum +n12860978 plant grown for its ornamental red or purple foliage +n12861345 any of various plants of the genus Phlomis; grown primarily for their dense whorls of lipped flowers and attractive foliage +n12861541 a spreading subshrub of Mediterranean regions cultivated for dense axillary whorls of purple or yellow flowers +n12861892 any of various plants of the genus Physostegia having sessile linear to oblong leaves and showy white or rose or lavender flowers +n12862512 any of various ornamental plants of the genus Plectranthus +n12862828 small East Indian shrubby mint; fragrant oil from its leaves is used in perfumes +n12863234 decumbent blue-flowered European perennial thought to possess healing properties; naturalized throughout North America +n12863624 any of a number of perennial herbs of the genus Pycnanthemum; eastern North America and California +n12864160 widely cultivated for its fragrant grey-green leaves used in cooking and in perfumery +n12865037 stout Mediterranean sage with white or pink or violet flowers; yields oil used as a flavoring and in perfumery +n12865562 silvery-leaved California herb with purple flowers +n12865708 sage of eastern United States +n12865824 shrubby plant with aromatic greyish-green leaves used as a cooking herb +n12866002 tall perennial Old World salvia with violet-blue flowers; found in open grasslands +n12866162 aromatic herb of southern Europe; cultivated in Great Britain as a potherb and widely as an ornamental +n12866333 California erect and sparsely branched perennial +n12866459 an herb from Oaxaca that has a powerful hallucinogenic effect; the active ingredient is salvinorin +n12866635 Eurasian sage with blue flowers and foliage like verbena; naturalized in United States +n12866968 any of several aromatic herbs or subshrubs of the genus Satureja having spikes of flowers attractive to bees +n12867184 erect annual herb with oval leaves and pink flowers; used to flavor e.g. meats or soups or salads; southeastern Europe and naturalized elsewhere +n12867449 erect perennial subshrub having pink or white flowers and leathery leaves with a flavor of thyme; southern Europe +n12867826 a herbaceous plant of the genus Scutellaria which has a calyx that, when inverted, resembles a helmet with its visor raised +n12868019 an American mint that yields a resinous exudate used especially formerly as an antispasmodic +n12868880 foul-smelling perennial Eurasiatic herb with a green creeping rhizome +n12869061 perennial herb with an odorless rhizome widespread in moist places in northern hemisphere +n12869478 any of various plants of the genus Teucrium +n12869668 subshrub with serrate leaves and cream-colored to pink or purple flowers in spikelike racemes; North America +n12870048 Mediterranean germander having small hairy leaves and reddish purple flowers; attractive to cats +n12870225 European germander with one-sided racemes of yellow flowers; naturalized in North America +n12870535 any of various mints of the genus Thymus +n12870682 common aromatic garden perennial native to the western Mediterranean; used in seasonings and formerly as medicine +n12870891 aromatic dwarf shrub common on banks and hillsides in Europe; naturalized in United States +n12871272 any of several plants of the genus Trichostema having whorls of small blue flowers +n12871696 aromatic plant of western United States +n12871859 aromatic plant of the eastern United States +n12872458 any of numerous aquatic carnivorous plants of the genus Utricularia some of whose leaves are modified as small urn-shaped bladders that trap minute aquatic animals +n12872914 any of numerous carnivorous bog plants of the genus Pinguicula having showy purple or yellow or white flowers and a rosette of basal leaves coated with a sticky secretion to trap small insects +n12873341 rootless carnivorous swamp plants having at the base of the stem a rosette of foliage and leaves consisting of slender tubes swollen in the middle to form traps; each tube passes into two long spirally twisted arms with stiff hairs +n12873984 sprawling annual or perennial herb of Central America and West Indies having creamy-white to red-purple bell-shaped flowers followed by unusual horned fruit +n12875269 annual of southern United States to Mexico having large whitish or yellowish flowers mottled with purple and a long curving beak +n12875697 alternatively placed in genus Martynia +n12875861 a herbaceous plant of the genus Proboscidea +n12876899 any of numerous tall coarse woodland plants of the genus Scrophularia +n12877244 a garden plant of the genus Antirrhinum having showy white or yellow or crimson flowers resembling the face of a dragon +n12877493 California plant with slender racemes of white flowers +n12877637 southwestern United States plant with yellow flowers on stems that twist and twine through other vegetation +n12877838 perennial native to the Mediterranean but widely cultivated for its purple or pink flowers +n12878169 a plant of the genus Besseya having fluffy spikes of flowers +n12878325 small pale plant with dense spikes of pale bluish-violet flowers; of high cold meadows from Wyoming and Utah to New Mexico +n12878784 multi-stemmed North American annual having solitary axillary dark golden-yellow flowers resembling those of the foxglove; sometimes placed in genus Gerardia +n12879068 sparsely branched North American perennial with terminal racemes of bright yellow flowers resembling those of the foxglove; sometimes placed in genus Gerardia +n12879527 any garden plant of the genus Calceolaria having flowers with large inflated slipper-shaped lower lip +n12879963 any of various plants of the genus Castilleja having dense spikes of hooded flowers with brightly colored bracts +n12880244 most common paintbrush of western United States dry lands; having erect stems ending in dense spikes of bright orange to red flowers +n12880462 wildflower of western North America having ragged clusters of crimson or scarlet flowers +n12880638 hairy plant with pinkish flowers; Great Plains to northern Mexico +n12880799 plant of moist highland meadows having ragged clusters of pale yellow flowers +n12881105 showy perennial of marshlands of eastern and central North America having waxy lanceolate leaves and flower with lower part creamy white and upper parts pale pink to deep purple +n12881913 small widely branching western plant with tiny blue-and-white flowers; British Columbia to Ontario and south to California and Colorado +n12882158 eastern United States plant with whorls of blue-and-white flowers +n12882779 any of several plants of the genus Digitalis +n12882945 tall leafy European biennial or perennial having spectacular clusters of large tubular pink-purple flowers; leaves yield drug digitalis and are poisonous to livestock +n12883265 European yellow-flowered foxglove +n12883628 any plant of the genus Gerardia +n12884100 North American plant having racemes of blue-violet flowers +n12884260 common European perennial having showy yellow and orange flowers; a naturalized weed in North America +n12885045 plant of southwestern United States having long open clusters of scarlet flowers with yellow hairs on lower lip +n12885265 plant with bright red tubular flowers in long narrow clusters near tips of erect stems; coastal ranges from central California southward +n12885510 low branching dark green shrub with bunches of brick-red flowers at ends of branches; coastal ranges and foothills of northern California +n12885754 erect plant with blue-violet flowers in rings near tips of stems; Idaho to Utah and Wyoming +n12886185 stems in clumps with cream-colored flowers; found from Washington to Wyoming and southward to California and Utah +n12886402 low plant with light blue and violet flowers in short clusters near tips of stems; Nevada to Utah +n12886600 low bushy plant with large showy pale lavender or blue-violet flowers in narrow clusters at ends of stems +n12886831 plant having small narrow leaves and blue-violet flowers in long open clusters; Utah and Colorado to New Mexico and Arizona +n12887293 fragrant puffed-up white to reddish-pink flowers in long narrow clusters on erect stems; Arizona to New Mexico and Utah +n12887532 erect stems with pinkish-lavender flowers in long interrupted clusters; Arizona +n12887713 one of the West's most beautiful wildflowers; large brilliant pink or rose flowers in many racemes above thick mats of stems and leaves; ledges and cliffs from Washington to California +n12888016 plant with whorls of small dark blue-violet flowers; Washington to Wyoming and south to California and Colorado +n12888234 whorls of deep blue to dark purple flowers at tips of erect leafy stems; moist places from British Columbia to Oregon +n12888457 wine and lavender to purple and black flowers in several clusters on the upper half of leafy stems; Montana south through the Rocky Mountains to Arizona and New Mexico +n12889219 European mullein with smooth leaves and large yellow or purplish flowers; naturalized as a weed in North America +n12889412 densely hairy Eurasian herb with racemose white flowers; naturalized in North America +n12889579 Eurasian mullein with showy purple or pink flowers +n12889713 tall-stalked very woolly mullein with densely packed yellow flowers; ancient Greeks and Romans dipped the stalks in tallow for funeral torches +n12890265 any plant of the genus Veronica +n12890490 European plant with minute axillary blue flowers on long stalks; widely naturalized in America +n12890685 plant of western North America and northeastern Asia having prostrate stems with dense racemes of pale violet to lilac flowers +n12890928 erect or procumbent blue-flowered annual found in waste places of Europe and America +n12891093 European plant having low-lying stems with blue flowers; sparsely naturalized in North America +n12891305 Old World plant with axillary racemes of blue-and-white flowers +n12891469 plant of wet places in Eurasia and America +n12891643 common hairy European perennial with pale blue or lilac flowers in axillary racemes +n12891824 North American annual with small white flowers widely naturalized as a weed in South America and Europe +n12892013 perennial decumbent herb having small opposite leaves and racemes of blue flowers; throughout Eurasia and the New World +n12893463 any of numerous shrubs or herbs or vines of the genus Solanum; most are poisonous though many bear edible fruit +n12893993 coarse prickly weed having pale yellow flowers and yellow berrylike fruit; common throughout southern and eastern United States +n12895298 woolly-stemmed biennial arborescent shrub of tropical Africa and southern Asia having silvery-white prickly branches, clusters of blue or white flowers, and bright red berries resembling holly berries +n12895811 copiously branched vine of Brazil having deciduous leaves and white flowers tinged with blue +n12896615 improved garden variety of black nightshade having small edible orange or black berries +n12897118 small perennial shrub cultivated in uplands of South America for its edible bright orange fruits resembling tomatoes or oranges +n12897788 vine of Costa Rica sparsely armed with hooklike spines and having large lilac-blue flowers +n12897999 South American shrub or small tree widely cultivated in the tropics; not a true potato +n12898342 perennial Eurasian herb with reddish bell-shaped flowers and shining black berries; extensively grown in United States; roots and leaves yield atropine +n12898774 any of several herbs of the genus Browallia cultivated for their blue or violet or white flowers +n12899166 West Indian shrub with fragrant showy yellowish-white flowers +n12899537 a South American plant that is cultivated for its large fragrant trumpet-shaped flowers +n12899752 South American plant cultivated for its very large nocturnally fragrant trumpet-shaped flowers +n12899971 arborescent South American shrub having very large orange-red flowers +n12900783 plant bearing erect pungent conical red or yellow or purple fruits; sometimes grown as an ornamental +n12901724 plant bearing very small and very hot oblong red fruits; includes wild forms native to tropical America; thought to be ancestral to the sweet pepper and many hot peppers +n12902466 West Indian evergreen shrub having clusters of funnel-shaped white flowers that are fragrant by day +n12902662 West Indian evergreen shrub having clusters of funnel-shaped yellow-white flowers that are fragrant by night +n12903014 South American arborescent shrub having pale pink blossoms followed by egg-shaped reddish-brown edible fruit somewhat resembling a tomato in flavor +n12903367 any of several plants of the genus Datura +n12903503 intensely poisonous tall coarse annual tropical weed having rank-smelling foliage, large white or violet trumpet-shaped flowers and prickly fruits +n12903964 Peruvian shrub with small pink to lavender tubular flowers; leaves yield a tonic and diuretic +n12904314 poisonous fetid Old World herb having sticky hairy leaves and yellow-brown flowers; yields hyoscyamine and scopolamine +n12904562 poisonous herb whose leaves are a source of hyoscyamine +n12904938 any of various shrubs or vines of the genus Lycium with showy flowers and bright berries +n12905135 deciduous erect or spreading shrub with spiny branches and violet-purple flowers followed by orange-red berries; southeastern Europe to China +n12905412 spiny evergreen shrub of southeastern United States having spreading branches usually blue or mauve flowers and red berries +n12906214 an Italian variety of cherry tomato that is shaped like a plum +n12906498 a plant of southern Europe and North Africa having purple flowers, yellow fruits and a forked root formerly thought to have magical powers +n12906771 the root of the mandrake plant; used medicinally or as a narcotic +n12907057 coarse South American herb grown for its blue-and-white flowers followed by a bladderlike fruit enclosing a dry berry +n12907671 South American ornamental perennial having nocturnally fragrant greenish-white flowers +n12907857 tall erect South American herb with large ovate leaves and terminal clusters of tubular white or pink flowers; cultivated for its leaves +n12908093 tobacco plant of South America and Mexico +n12908645 any of various plants of the genus Nierembergia having upturned bell-shaped flowers +n12908854 prostrate woody South American herb with white tubular flowers often tinged with blue or rose +n12909421 any of numerous tropical herbs having fluted funnel-shaped flowers +n12909614 annual herb having large nocturnally fragrant white flowers +n12909759 herb or small shrublet having solitary violet to rose-red flowers +n12909917 hybrids of Petunia axillaris and Petunia integrifolia: a complex group of petunias having single or double flowers in colors from white to purple +n12911079 annual of tropical South America having edible purple fruits +n12911264 stout hairy annual of eastern North America with sweet yellow fruits +n12911440 annual of Mexico and southern United States having edible purplish viscid fruit resembling small tomatoes +n12911673 Mexican annual naturalized in eastern North America having yellow to purple edible fruit resembling small tomatoes +n12911914 found on sea beaches from Virginia to South America having greenish-yellow flowers and orange or yellow berries +n12912274 weedy vine of Argentina having solitary white flowers followed by egg-shaped white or yellow fruit +n12912670 any plant of the genus Salpiglossis +n12912801 Chilean herb having velvety funnel-shaped yellowish or violet flowers with long tonguelike styles at the corolla throat +n12913144 any plant of the genus Schizanthus having finely divided leaves and showy variegated flowers +n12913524 herb that is a source of scopolamine +n12913791 Mexican evergreen climbing plant having large solitary funnel-shaped fragrant yellow flowers with purple-brown ridges in the throat +n12914923 any of numerous tropical or subtropical American plants of the genus Verbena grown for their showy spikes of variously colored flowers +n12915140 a flowering shrub +n12915568 a mangrove of the West Indies and the southern Florida coast; occurs in dense thickets and has numerous short roots that bend up from the ground +n12915811 a small to medium-sized tree growing in brackish water especially along the shores of the southwestern Pacific +n12916179 an Australian tree resembling the black mangrove of the West Indies and Florida +n12916511 tall East Indian timber tree now planted in western Africa and tropical America for its hard durable wood +n12917901 any of numerous plants of the genus Euphorbia; usually having milky often poisonous juice +n12918609 not unattractive European weed whose flowers turn toward the sun +n12918810 an Old World spurge introduced as a weed in the eastern United States +n12918991 African dwarf succulent perennial shrub with numerous slender drooping branches +n12919195 common perennial United States spurge having showy white petallike bracts +n12919403 annual spurge of western United States having showy white-bracted flower clusters and very poisonous milk +n12919646 Old World perennial having foliage resembling cypress; naturalized as a weed in the United States +n12919847 tall European perennial naturalized and troublesome as a weed in eastern North America +n12920043 much-branched hirsute weed native to northeastern North America +n12920204 tropical American plant having poisonous milk and showy tapering usually scarlet petallike leaves surrounding small yellow flowers +n12920521 showy poinsettia found from the southern United States to Peru +n12920719 poinsettia of United States and eastern Mexico; often confused with Euphorbia heterophylla +n12920955 European perennial herb with greenish yellow terminal flower clusters +n12921315 European erect or depressed annual weedy spurge adventive in northeastern United States +n12921499 Mexican shrub often cultivated for its scarlet-bracted flowers +n12921660 small tree of dry open parts of southern Africa having erect angled branches suggesting candelabra +n12921868 somewhat climbing bushy spurge of Madagascar having long woody spiny stems with few leaves and flowers with scarlet bracts +n12922119 an annual weed of northeastern North America with dentate leaves +n12922458 weedy herb of eastern North America +n12922763 tropical Asiatic shrub; source of croton oil +n12923108 West Indian shrub with aromatic bark +n12923257 aromatic bark of cascarilla; used as a tonic and for making incense +n12924623 large shrub of tropical Africa and Asia having large palmate leaves and spiny capsules containing seeds that are the source of castor oil and ricin; widely naturalized throughout the tropics +n12925179 a stinging herb of tropical America +n12925583 small tropical American tree yielding purple dye and a tanning extract and bearing physic nuts containing a purgative oil that is poisonous in large quantities +n12926039 deciduous tree of the Amazon and Orinoco Rivers having leathery leaves and fragrant yellow-white flowers; it yields a milky juice that is the chief source of commercial rubber +n12926480 any of several plants of the genus Manihot having fleshy roots yielding a nutritious starch +n12926689 cassava with long tuberous edible roots and soft brittle stems; used especially to make cassiri (an intoxicating drink) and tapioca +n12927013 cassava root eaten as a staple food after drying and leaching; source of tapioca +n12927194 South American plant with roots used as a vegetable and herbage used for stock feed +n12927494 large tree native to southeastern Asia; the nuts yield oil used in varnishes; nut kernels strung together are used locally as candles +n12927758 Chinese tree bearing seeds that yield tung oil +n12928071 any of several tropical American shrubby succulent plants resembling cacti but having foot-shaped bracts +n12928307 wax-coated Mexican shrub related to Euphorbia antisyphilitica +n12928491 low tropical American shrub having powerful emetic properties +n12928819 seed of Mexican shrubs of the genus Sebastiana containing the larva of a moth whose movements cause the bean to jerk or tumble +n12929403 any of several shrubs or small evergreen trees having solitary white or pink or reddish flowers +n12929600 greenhouse shrub with glossy green leaves and showy fragrant rose-like flowers; cultivated in many varieties +n12930778 any of numerous aromatic herbs of the family Umbelliferae +n12930951 any of various uncultivated umbelliferous plants with foliage resembling that of carrots or parsley +n12931231 European weed naturalized in America that resembles parsley but causes nausea and poisoning when eaten +n12931542 aromatic Old World herb having aromatic threadlike foliage and seeds used as seasoning +n12931906 any of various tall and stout herbs of the genus Angelica having pinnately compound leaves and small white or greenish flowers in compound umbels +n12932173 a biennial cultivated herb; its stems are candied and eaten and its roots are used medicinally +n12932365 European herb with compound leaves and white flowers; adventive on Cape Breton Island +n12932706 aromatic annual Old World herb cultivated for its finely divided and often curly leaves for use especially in soups and salads +n12932966 coarse erect biennial Old World herb introduced as a weed in eastern North America +n12933274 herb of Europe and temperate Asia +n12934036 any plant of the genus Astrantia +n12934174 European herb with aromatic roots and leaves in a basal tuft and showy compound umbels of white to rosy flowers +n12934479 a Eurasian plant with small white flowers yielding caraway seed +n12934685 a caraway with whorled leaves +n12934985 tall erect highly poisonous Eurasiatic perennial herb locally abundant in marshy areas +n12935166 tall biennial water hemlock of northeastern North America having purple-spotted stems and clusters of extremely poisonous tuberous roots resembling small sweet potatoes +n12935609 large branching biennial herb native to Eurasia and Africa and adventive in North America having large fernlike leaves and white flowers; usually found in damp habitats; all parts extremely poisonous +n12936155 a common European plant having edible tubers with the flavor of roasted chestnuts +n12936826 dwarf Mediterranean annual long cultivated for its aromatic seeds +n12937130 a widely naturalized Eurasian herb with finely cut foliage and white compound umbels of small white or yellowish flowers and thin yellowish roots +n12938081 any plant of the genus Eryngium +n12938193 European evergreen eryngo with twisted spiny leaves naturalized on United States east coast; roots formerly used as an aphrodisiac +n12938445 coarse prickly perennial eryngo with aromatic roots; southeastern United States; often confused with rattlesnake master +n12938667 coarse prickly perennial eryngo of United States thought to cure rattlesnake bite +n12939104 any of several aromatic herbs having edible seeds and leaves and stems +n12939282 strongly aromatic with a smell of aniseed; leaves and seeds used for seasoning +n12939479 grown especially for its edible aromatic bulbous stem base +n12939874 tall coarse plant having thick stems and cluster of white to purple flowers +n12940226 herb native to southern Europe; cultivated for its edible stalks and foliage and seeds +n12940609 European herb with soft ferny leaves and white flowers +n12941220 European poisonous herb with fibrous roots +n12941536 a strong-scented plant cultivated for its edible root +n12941717 European biennial having a long fusiform root that has been made palatable through cultivation +n12942025 biennial weed in Europe and America having large pinnate leaves and yellow flowers and a bitter and somewhat poisonous root; the ancestor of cultivated parsnip +n12942395 annual or perennial herb with aromatic leaves +n12942572 a variety of parsley having flat leaves +n12942729 parsley with smooth leaves and enlarged edible taproot resembling a savory parsnip +n12943049 native to Egypt but cultivated widely for its aromatic seeds and the oil from them used medicinally and as a flavoring in cookery +n12943443 a plant of the genus Sanicula having palmately compound leaves and unisexual flowers in panicled umbels followed by bristly fruit; reputed to have healing powers +n12943912 sanicle of northwestern United States and British Columbia having yellow or red or purple flowers +n12944095 sanicle of Europe and Asia having white to pale pink flowers +n12945177 stout white-flowered perennial found wild in shallow fresh water; northern United States and Asia +n12945366 large stout white-flowered perennial found wild in shallow fresh water; Europe +n12945549 an Asiatic herb cultivated in Europe for its sweet edible tuberous root +n12946849 a tree of shrub of the genus Cornus often having showy bracts resembling flowers +n12947313 deciduous tree; celebrated for its large white or pink bracts and stunning autumn color that is followed by red berries +n12947544 common North American shrub with reddish purple twigs and white flowers +n12947756 shrub of eastern North America closely resembling silky cornel +n12947895 shrub of eastern North America having purplish stems and blue fruit +n12948053 European deciduous shrub turning red in autumn having dull white flowers +n12948251 creeping perennial herb distinguished by red berries and clustered leaf whorls at the tips of shoots; Greenland to Alaska +n12948495 deciduous European shrub or small tree having bright red fruit +n12949160 South American shrub or small tree having long shining evergreen leaves and panicles of green or yellow flowers +n12949361 small New Zealand broadleaf evergreen tree often cultivated in warm regions as an ornamental +n12950126 a plant of the genus Valeriana having lobed or dissected leaves and cymose white or pink flowers +n12950314 tall rhizomatous plant having very fragrant flowers and rhizomes used medicinally +n12950796 widely cultivated as a salad crop and pot herb; often a weed +n12951146 European herb with small fragrant crimson or white spurred flowers +n12951835 any fern of the genus Hymenophyllum growing in tropical humid regions and having translucent leaves +n12952165 any fern of the genus Trichomanes having large pinnatifid often translucent fronds; most are epiphytic on tree branches and twigs or terrestrial on mossy banks +n12952469 a variety of bristle fern +n12952590 large stout fern of extreme western Europe +n12952717 large fern of New Zealand having kidney-shaped fronds +n12953206 any fern of the genus Osmunda: large ferns with creeping rhizomes; naked sporangia are on modified fronds that resemble flower clusters +n12953484 large deeply rooted fern of worldwide distribution with upright bipinnate compound tufted fronds +n12953712 North American fern having tall erect pinnate fronds and a few sporogenous pinnae at or near the center of the fertile fronds +n12954353 New Zealand with pinnate fronds and a densely woolly stalks; sometimes included in genus Todea +n12954799 fern of rain forests of tropical Australia and New Zealand and South Africa +n12955414 rare small fern of northeastern North America having numerous slender spiraling fronds and forming dense tufts +n12955840 fern of Florida and West Indies and Central America with rhizome densely clad in grown hairs +n12956170 any of several ferns of the genus Lygodium that climb by twining +n12956367 delicate fern of the eastern United States having a twining stem and palmately-lobed sterile fronds and forked fertile fronds +n12956588 tropical fern widespread in Old World; naturalized in Jamaica and Florida +n12956922 sweetly scented African fern with narrow bipinnate fronds +n12957608 any of several water ferns of the genus Marsilea having four leaflets +n12957803 Australian clover fern +n12957924 water fern of Europe and Asia and the eastern United States distinguished by four leaflets resembling clover leaves +n12958261 European water fern found around margins of bodies of water or in wet acid soil having small globose sporocarps +n12958615 small latex-containing aquatic fern of southern Brazil +n12959074 free-floating aquatic ferns +n12959538 small free-floating aquatic fern from the eastern United States to tropical America; naturalized in western and southern Europe +n12960378 ferns with fertile spikes shaped like a snake's tongue +n12960552 epiphytic fern with straplike usually twisted fronds of tropical Asia and Polynesia and America +n12960863 a fern of the genus Botrychium having a fertile frond bearing small grapelike clusters of spore cases +n12961242 of North America and Eurasia +n12961393 European fern with leathery and sparsely hairy fronds +n12961536 American fern whose clustered sporangia resemble a snake's rattle +n12961879 Australasian fern with clusters of sporangia on stems of fertile fronds +n12963628 any of various fungi of the genus Erysiphe producing powdery conidia on the host surface +n12964920 fungus causing Dutch elm disease +n12965626 a fungus that infects various cereal plants forming compact black masses of branching filaments that replace many grains of the plant; source of medicinally important alkaloids and of lysergic acid +n12965951 a sclerotium or hardened mass of mycelium +n12966804 fungus causing black root rot in apples +n12966945 the fruiting bodies of the fungi of the genus Xylaria +n12968136 any fungus of the genus Sclerotinia; some causing brown rot diseases in plants +n12968309 a variety of sclerotinia +n12969131 any of various fungi of the genus Scleroderma having hard-skinned subterranean fruiting bodies resembling truffles +n12969425 an earthball fungus that is a dingy brownish yellow and a dark purplish interior; the peridium is covered with a pattern of small warts +n12969670 an earthball with a smooth upper surface that is at first buried in sand; the top of the fruiting body opens up to form segments like the ray of an umbel +n12969927 an earthball with a peridium that is firm dry and smooth when young but developing cracks when mature; pale orange-yellow when young and reddish brown at maturity +n12970193 a variety of gastromycete +n12970293 a variety of Podaxaceae +n12970733 mushroom of the genus Tulostoma that resembles a puffball +n12971400 any of various fungi of the family Rhizopogonaceae having subterranean fruiting bodies similar to the truffle +n12971804 a large whitish Rhizopogon that becomes greyish brown in maturity +n12972136 a fungus with a round yellow to orange fruiting body that is found on the surface of the ground or partially buried; has a distinctive sterile column extending into the spore-bearing tissue +n12973443 any mold of the genus Mucor +n12973791 any of various rot causing fungi of the genus Rhizopus +n12973937 a mold of the genus Rhizopus +n12974987 a naked mass of protoplasm having characteristics of both plants and animals; sometimes classified as protoctists +n12975804 a slime mold of the class Myxomycetes +n12976198 differing from true slime molds in being cellular and nucleate throughout the life cycle +n12976554 any slime mold of the genus Dictostylium +n12978076 an aquatic fungus of genus Synchytriaceae that is parasitic on pond scum +n12979316 fungus causing potato wart disease in potato tubers +n12979829 a fungus that attacks living fish and tadpoles and spawn causing white fungus disease: a coating of white hyphae on especially peripheral parts (as fins) +n12980080 parasitic or saprobic organisms living chiefly in fresh water or moist soil +n12980840 any of various fungi of the family Peronosporaceae parasitic on e.g. grapes and potatoes and melons +n12981086 fungus causing a serious disease in tobacco plants characterized by bluish-grey mildew on undersides of leaves +n12981301 fungus causing a downy mildew on onions +n12981443 fungus causing a downy mildew on growing tobacco +n12981954 fungus causing a disease characterized by a white powdery mass of conidia +n12982468 any fungus of the genus Pythium +n12982590 fungus causing damping off disease in seedlings +n12982915 causes brown rot gummosis in citrus fruits +n12983048 fungus causing late blight in solanaceous plants especially tomatoes and potatoes +n12983654 a fungus resembling slime mold that causes swellings or distortions of the roots of cabbages and related plants +n12983873 a type of ascomycetous fungus +n12983961 a type of ascomycetous fungus +n12984267 a common name for a variety of Sarcosomataceae +n12984489 a common name for a variety of Sarcosomataceae +n12984595 a common name for a variety of Sarcosomataceae +n12985420 any of various highly prized edible subterranean fungi of the genus Tuber; grow naturally in southwestern Europe +n12985773 a club-shaped coral fungus +n12985857 any of numerous fungi of the family Clavariaceae often brightly colored that grow in often intricately branched clusters like coral +n12986227 a fungus of the family Hydnaceae +n12987056 any thallophytic plant of the division Lichenes; occur as crusty patches or bushy growths on tree trunks or rocks or bare ground etc. +n12987423 a lichen in which the fungus component is an ascomycete +n12987535 a lichen in which the fungus component is a basidiomycete +n12988158 any lichen of the genus Lecanora; some used in dyeing; some used for food +n12988341 any of several Old World partially crustaceous or shrubby lecanoras that roll up and are blown about over African and Arabian deserts and used as food by people and animals +n12988572 any of various lecanoras that yield the dye archil +n12989007 a source of the dye archil and of litmus +n12989938 greenish grey pendulous lichen growing on trees +n12990597 any of several lichens of the genus Alectoria having a thallus consisting of filaments resembling hair +n12991184 an erect greyish branching lichen of Arctic and even some north temperate regions constituting the chief food for reindeer and caribou and sometimes being eaten by humans +n12991837 any of several lichens of the genus Parmelia from which reddish brown or purple dyes are made +n12992177 lichen with branched flattened partly erect thallus that grows in mountainous and Arctic regions; used as a medicine or food for humans and livestock; a source of glycerol +n12992868 an organism of the kingdom Fungi lacking chlorophyll and feeding on organic matter; ranging from unicellular or multicellular organisms to spore-bearing syncytia +n12994892 the basidium of various fungi +n12995601 any of numerous fungi of the division Eumycota +n12997654 any of various fungi of the subdivision Basidiomycota +n12997919 any of various fleshy fungi of the subdivision Basidiomycota consisting of a cap at the end of a stem arising from an underground mycelium +n12998815 a saprophytic fungus of the order Agaricales having an umbrellalike cap with gills on the underside +n13000891 mushrooms and related fleshy fungi (including toadstools, puffballs, morels, coral fungi, etc.) +n13001041 common name for an edible agaric (contrasting with the inedible toadstool) +n13001206 common name for an inedible or poisonous agaric (contrasting with the edible mushroom) +n13001366 coarse edible mushroom with a hollow stem and a broad white cap +n13001529 common edible mushroom found naturally in moist open soil; the cultivated mushroom of commerce +n13001930 edible east Asian mushroom having a golden or dark brown to blackish cap and an inedible stipe +n13002209 a fungus with a scaly cap and white flesh and a ring on the stalk (with scales below the ring); odor reminiscent of licorice +n13002750 widely distributed edible mushroom resembling the fly agaric +n13002925 agaric often confused with the death cup +n13003061 poisonous (but rarely fatal) woodland fungus having a scarlet cap with white warts and white gills +n13003254 extremely poisonous usually white fungus with a prominent cup-shaped base; differs from edible Agaricus only in its white gills +n13003522 yellowish edible agaric that usually turns red when touched +n13003712 fungus similar to Amanita phalloides +n13004423 widely distributed edible mushroom rich yellow in color with a smooth cap and a pleasant apricot aroma +n13004640 a mildly poisonous fungus with a fruiting body shaped like a hollow trumpet +n13004826 an edible agaric with a brown fruiting body that is often compound +n13004992 mushroom with a distinctive pink to vermillion fruiting body +n13005329 a large poisonous agaric with orange caps and narrow clustered stalks; the gills are luminescent +n13005984 having a cap that melts into an inky fluid after spores have matured +n13006171 common edible mushroom having an elongated shaggy white cap and black spores +n13006631 edible mushroom +n13006894 mushroom that grows in a fairy ring +n13007034 a ring of fungi marking the periphery of the perennial underground growth of the mycelium +n13007417 edible agaric with a soft greyish cap growing in shelving masses on dead wood +n13007629 red luminescent mushroom of Europe +n13008157 a fungus with a smooth orange cap and yellow gills and pale yellow stalk +n13008315 a beautiful yellow gilled fungus found from Alaska south along the coast +n13008485 a large fungus with whitish scales on the cap and remnants of the veil hanging from the cap; the stalk is thick and hard +n13008689 a fungus with a yellow cap covered with fine scales as is the stalk +n13008839 a fungus that grows in clusters on the ground; cap is brownish orange with a surface that is smooth and slightly sticky; whitish gills and a cylindrical brown stalk +n13009085 one of the most important fungi cultivated in Japan +n13009244 a gilled fungus having yellow slimy caps with conspicuous tawny scales on the caps and stalks +n13009429 a gilled fungus with a cap and stalk that are conspicuously scaly with upright scales; gills develop a greenish tinge with age +n13009656 a pale buff fungus with tawny scales +n13010694 a gilled fungus with a long stalk and a yellow slimy cap from which fragments of the broken veil hang; gills are initially white but become dark brown as spores are released +n13010951 a gilled fungus with a large slimy purple or olive cap; gills become purple with age; the stalk is long and richly decorated with pieces of the white sheath that extends up to a ring +n13011221 a large gilled fungus with a broad cap and a long stalk; the cap is dark brown; the white gills turn dark purplish brown with age; edible and choice +n13011595 a basidiomycete with gills +n13012253 a deadly poisonous agaric; a large cap that is first white (livid or lead-colored) and then turns yellowish or tan +n13012469 an agaric with a dark brown conical cap; fruits in early spring +n13012973 a poisonous agaric with a fibrillose cap and brown scales on a white ground color; cap can reach a diameter of 30 cm; often forms `fairy rings' +n13013534 any fungus of the genus Lepiota +n13013764 edible long-stalked mushroom with white flesh and gills and spores; found in open woodlands in autumn +n13013965 an agaric regarded as poisonous +n13014097 an agaric with greyish white fruiting body and gills that change from pink to dingy red +n13014265 an agaric with a large cap with brown scales and a thick stalk +n13014409 an agaric with a pallid cap and a stalk that is enlarged near the base +n13014581 an agaric with a relatively small pink to red cap and white gills and stalk +n13014741 an agaric with a ragged stalk and a soft floccose cap +n13014879 a white agaric that tends to cluster and has a club-shaped base +n13015509 fungus causing pink disease in citrus and coffee and rubber trees etc +n13015688 fungus causing bottom rot in lettuce +n13016076 fungus causing a disease in potatoes characterized by black scurfy spots on the tubers +n13016289 fungus causing a disease in coffee and some other tropical plants +n13017102 edible agaric that is pale lilac when young; has a smooth moist cap +n13017240 an edible agaric that fruits in great clusters (especially in sandy soil under cottonwood trees) +n13017439 a mildly poisonous agaric with a viscid reddish brown cap and white gills and stalk +n13017610 an agaric with a cap that is coated with dark fibrils in the center and has yellowish margins +n13017789 an edible agaric with yellow gills and a viscid yellow cap that has a brownish center +n13017979 a poisonous white agaric +n13018088 a poisonous agaric having a pale cap with fine grey fibrils +n13018232 an agaric with a cap that is densely covered with reddish fibrils and pale gills and stalk +n13018407 an orange tan agaric whose gills become brown by maturity; has a strong odor and taste +n13018906 a parasite on various trees +n13019496 an agaric with a brilliant scarlet cap and a slender stalk +n13019643 an edible agaric found in piles of hardwood sawdust; the caps are black and coarsely wrinkled +n13019835 a small edible agaric with a slender stalk; usually found on rotting hardwoods +n13020191 small tropical and subtropical edible mushroom having a white cap and long stem; an expensive delicacy in China and other Asian countries where it is grown commercially +n13020481 a mushroom with a dry yellowish to white fibrillose cap +n13020964 an agaric with a flat cap that is greyish or yellowish brown with pallid gills and a stalk that bulges toward the base +n13021166 a small poisonous agaric; has a dry white cap with crowded gills and a short stalk +n13021332 a fungus with a cap that is creamy grey when young and turns brown with age and a whitish stalk that stains yellow when handled +n13021543 a large white agaric; edible but not palatable +n13021689 an edible agaric with large silky white caps and thick stalks +n13021867 an edible white agaric that fruits in dense clusters; the gills are narrow and crowded and the stalk is fleshy and unpolished +n13022210 an edible agaric that is available in early spring or late fall when few other mushrooms are; has a viscid smooth orange to brown cap and a velvety stalk that turns black in maturity and pallid gills; often occur in clusters +n13022709 the vegetative part of a fungus consisting of a mass of branching threadlike hyphae +n13022903 compact usually dark-colored mass of hardened mycelium constituting a vegetative food-storage body in various true fungi; detaches when mature and can give rise to new growth +n13023134 any of various ascomycetous fungi in which the spores are formed in a sac or ascus +n13024012 any fungus of the class Ascomycetes (or subdivision Ascomycota) in which the spores are formed inside an ascus +n13024500 any of various mushrooms of the class Ascomycetes +n13024653 a variety of grainy club mushrooms +n13025647 any of various single-celled fungi that reproduce asexually by budding or division +n13025854 used as a leaven in baking and brewing +n13026015 used in making wine +n13027557 a mold causing aspergillosis in birds and man +n13027879 fungus causing brown root rot in plants of the pea and potato and cucumber families +n13028611 any fungus that is a member of the subclass Discomycetes +n13028937 a discomycete that develops in clusters of slippery rubbery gelatinous fruiting bodies that are dingy yellow to tan in color +n13029122 a discomycete that is 3-8 cm high with an orange to yellow fertile portion and white or pinkish stalks often half in and half out of the water +n13029326 a discomycete that is a harbinger of spring; the fruiting body is thin and tough and saucer-shaped (about the size of quarter to a half dollar) with a deep bright red upper surface and a whitish exterior +n13029610 an early spring variety of discomycete with yellow to orange yellow lining of the cup +n13029760 a discomycete with bright orange cup-shaped or saucer-shaped fruiting bodies and pale orange exteriors +n13030337 apothecium of a fungus of the family Pezizaceae +n13030616 a discomycetous fungus of the genus Peziza; the fragile fruiting body is a ghostly white but stains yellow when broken; favors strongly alkaline habitats +n13030852 a scarlet European fungus with cup-shaped ascocarp +n13031193 an urn-shaped discomycete with a nearly black interior +n13031323 the cup-shaped fruiting body of this discomycete has a jellylike interior and a short stalk +n13031474 the fruiting bodies of this discomycete have a firm texture and long retain their cup shape; the pale brown interior blends with the color of dead leaves +n13032115 any of various edible mushrooms of the genus Morchella having a brownish spongelike cap +n13032381 an edible and choice morel with a globular to elongate head with an irregular pattern of pits and ridges +n13032618 an edible morel with a cup-shaped or saucer-shaped fruiting body can be up to 20 cm wide; the fertile surface inside the cup has wrinkles radiating from the center; can be easily confused with inedible mushrooms +n13032923 a morel whose fertile portion resembles a bell and is attached to the stipe only at the top +n13033134 resembles a thimble on a finger; the surface of the fertile portion is folded into wrinkles that extend from the top down; fruiting begins in spring before the leaves are out on the trees +n13033396 a morel with a fertile portion that has a relatively smooth surface; the stalk is fragile +n13033577 a morel whose pitted fertile body is attached to the stalk with little free skirt around it; the fertile body is grey when young and black in old age +n13033879 a delicious morel with a conic fertile portion having deep and irregular pits +n13034062 a morel with the ridged and pitted fertile portion attached to the stipe for about half its length +n13034555 a fungus composed of several apothecia that look like elongated rabbit ears; the sterile surface is dark brown and warty; the fertile surface is smooth and pinkish orange +n13034788 a fungus with a long solid stalk embedded in soil and a yellow-brown head shaped like a cauliflower +n13035241 a fungus of the family Helvellaceae +n13035389 a large fungus of the family Helvellaceae +n13035707 any fungus of the genus Helvella having the ascocarps stalked or pleated or often in folds +n13035925 a helvella with a saddle-shaped fertile part and creamy color; the stalk is fluted and pitted +n13036116 a helvella with a cup-shaped fertile body having a brown interior; the stalk is creamy white and heavily ribbed +n13036312 a helvella with an irregularly convoluted cap that is dark brown when young and becomes dull grey with age; the lower surface of the cap is smooth and pale grey; the stalk is thick and deeply fluted +n13036804 any fungus of the genus Discina +n13037406 any fungus of the genus Gyromitra +n13037585 a gyromitra with a brown puffed up fertile part and a thick fluted stalk; found under conifers in California +n13037805 a gyromitra with a brown puffed up fertile part and a rosy pink fluted stalk and smooth round spores; found on hardwood slash east of the Great Plains +n13038068 a poisonous gyromitra; the surface of the fertile body is smooth at first and becomes progressively undulating and wrinkled (but never truly pitted); color varies from dull yellow to brown +n13038376 a poisonous fungus; saddle-shaped and dull yellow to brown fertile part is relatively even +n13038577 a lorchel with deep brownish red fertile part and white stalk +n13038744 a gyromitra with a large irregular stalk and fertile part that is yellow to brown and wrinkled; has early fruiting time +n13039349 any fungus of the class Gasteromycetes +n13040303 any of various ill-smelling brown-capped fungi of the order Phallales +n13040629 a common fungus formerly used in preparing a salve for rheumatism +n13040796 this stinkhorn has a cap with a granulose surface at the apex and smells like decaying flesh +n13041312 a stinkhorn having a stalk without a cap; the slimy gleba is simply plastered on its surface near the apex where winged insects can find it +n13041943 a gasteromycete with a leathery stalk and a fruiting body that is globose and has a pale yellow spore case +n13042134 a gasteromycete with a leathery stalk and a fruiting body this globose and has a red spore case +n13042316 a gasteromycete with a leathery stalk and a fruiting body with a thin gelatinous spore case and elliptical spores +n13042982 a stinkhorn of genus Pseudocolus; the fruiting body first resembles a small puffball that soon splits open to form a stalk with tapering arms that arch and taper to a common point +n13043926 any of various fungi of the family Lycoperdaceae whose round fruiting body discharges a cloud of spores when mature +n13044375 huge edible puffball up to 2 feet diameter and 25 pounds in weight +n13044778 any fungus of the family Geastraceae; in form suggesting a puffball whose outer peridium splits into the shape of a star +n13045210 an earthstar with a bluish spore sac and a purplish brown gleba; at maturity the outer layer splits into rays that bend backward and elevate the spore sac +n13045594 a fungus similar to an earthstar except that it does not open up; the spore mass is brown at maturity with a column of sterile tissue extending up into it +n13045975 the largest earthstar; the fruiting body can measure 15 cm across when the rays are expanded +n13046130 a common species of earthstar widely distributed in sandy soil; the gleba is a pale tan +n13046669 any of various fungi of the family Nidulariaceae having a cup-shaped body containing several egg-shaped structure enclosing the spores +n13047862 a species of Gastrocybe fungus that has a conic cap and a thin stalk; at first the stalk is upright but as it matures the stalk bends over and then downward; the cap then gelatinizes and a slimy mass containing the spores falls to the ground as the stalk collapses +n13048447 a small fungus with a fragile cap that cracks to expose the white context and a white stalk that is practically enclosed by the cap +n13049953 woody pore fungi; any fungus of the family Polyporaceae or family Boletaceae having the spore-bearing surface within tubes or pores; the fruiting bodies are usually woody at maturity and persistent +n13050397 a woody fungus that forms shelflike sporophores on tree trunks and wood structures +n13050705 a rare fungus having a large (up to 14 inches wide) yellow fruiting body with multiple individual caps and a broad central stalk and a fragrant odor +n13050940 a fungus with a whitish often circular cap and a white pore surface and small pores and a white central stalk; found under conifers; edible but not popular +n13051346 a gilled polypore with a large cap (up to 15 inches in diameter) and a broad stalk; edible when young and tender +n13052014 a pore fungus with a whitish cottony soft cap found on conifer logs in forests at high elevation in the western United States and adjacent Canada +n13052248 a fungus with a whitish kidney-shaped cap and elongated pores; causes white rot in dead hardwoods +n13052670 large greyish-brown edible fungus forming a mass of overlapping caps that somewhat resembles a hen at the base of trees +n13052931 a fungus with a lateral stalk (when there is a stalk) and a scaly cap that becomes nearly black in maturity; widely distributed in the northern hemisphere +n13053608 a popular edible fungus with a cap the color of liver or raw meat; abundant in southeastern United States +n13054073 fungus used in the preparation of punk for fuses +n13054560 any fungus of the family Boletaceae +n13055423 a fungus convex cap and a dingy yellow under surface and a dry stalk +n13055577 an edible and choice fungus; has a convex cap that is slightly viscid when fresh and moist but soon dries and a thick bulbous tan stalk +n13055792 a fungus with a red cap and a red coarsely reticulate stalk +n13055949 a poisonous fungus with a dingy yellow cap and orange red undersurface and a cylindrical reticulate stalk +n13056135 a fungus that is edible when young and fresh; has a dark brown convex cap with a yellow to greenish under surface and reddish stalk +n13056349 a fungus that has an off-white cap when it is young but later becomes dingy brown and a stalk of the same color; the under surface of the cap (the tubes) a pale greenish yellow +n13056607 a beautiful but poisonous bolete; has a brown cap with a scarlet pore surface and a thick reticulate stalk +n13056799 an edible fungus with a broadly convex blackish brown cap and a pore surface that is yellow when young and darkens with age; stalk is thick and enlarges toward the base +n13057054 a fungus with a rusty red cap and a white pore surface that becomes yellow with age and a pale yellow stalk +n13057242 a fungus with a velvety stalk and usually a dingy brown cap; injured areas turn blue instantly +n13057422 an edible (but not choice) fungus found on soil under hardwoods; has a dry convex cap with whitish under surface and a reticulate stalk +n13057639 an edible and choice fungus that has a brown cap with greenish yellow under surface and a stalk that become dull red with age +n13058037 an edible fungus with a pinkish purple cap and stalk and a pore surface that is yellow with large angular pores that become like gills in maturity +n13058272 an edible fungus with a broadly convex brown cap and a whitish pore surface and stalk +n13058608 an edible fungus with a dark reddish brown cap and a wide light tan stalk that expands toward the base +n13059298 a short squat edible fungus with a reddish brown cap and white stalk; fruits under pines in the spring +n13059657 edible mild-tasting mushroom found in coniferous woodlands of eastern North America +n13060017 a fungus with a long coarsely shaggy reticulate stalk and a rimose areolate cap surface +n13060190 any fungus of the order Tremellales or Auriculariales whose fruiting body is jellylike in consistency when fresh +n13061172 popular in China and Japan and Taiwan; gelatinous mushrooms; most are dried +n13061348 a yellow jelly fungus +n13061471 a jelly fungus with a fruiting body 5-15 cm broad and gelatinous in consistency; resembles a bunch of leaf lettuce; mostly water and brownish in color +n13061704 a jelly fungus with an erect whitish fruiting body and a highly variable shape (sometimes resembling coral fungi) +n13062421 widely distributed edible fungus shaped like a human ear and growing on decaying wood +n13063269 any of various fungi causing rust disease in plants +n13063514 fruiting body of some rust fungi bearing chains of aeciospores +n13064111 fungus causing flax rust +n13064457 fungus causing white pine blister rust and having a complex life cycle requiring a plant of genus Ribes as alternate host +n13065089 rust fungus that attacks wheat +n13065514 rust fungus causing rust spots on apples and pears etc +n13066129 any fungus of the order Ustilaginales +n13066448 a smut fungus causing a smut disease of grains in which the spore masses are covered or held together by the grain membranes +n13066979 a smut fungus of the genus Ustilago causing a smut disease of grains in which the entire head is transformed into a dusty mass of spores +n13067191 a smut fungus attacking Indian corn +n13067330 a common smut attacking Indian corn causing greyish white swellings that rupture to expose a black spore mass +n13067532 genus of smut fungus +n13067672 smut fungus attacking heads of corn or sorghum and causing a covered smut +n13068255 fungus that destroys kernels of wheat by replacing them with greasy masses of smelly spores +n13068434 similar to Tilletia caries +n13068735 smut fungus causing blackish blisters on scales and leaves of onions; especially destructive to seedlings +n13068917 a smut fungus causing a smut in cereals and other grasses that chiefly affects leaves and stems and is characterized chains of sori within the plant tissue that later rupture releasing black masses of spores +n13069224 fungus affecting leaves and stems of wheat +n13069773 fungus that frequently encircles twigs and branches of various trees especially citrus trees in southern United States +n13070308 any fungus of the family Hygrophoraceae having gills that are more or less waxy in appearance +n13070875 a fungus having an acutely conic cap and dry stalks +n13071371 a fungus with a white convex cap and arcuate white gills and a stalk that tapers toward the base +n13071553 a fungus with a broadly convex cap that is cream color with a tint of blue over the margin; waxy gills are bluish green to blue-grey; a short stalk tapers abruptly at the base +n13071815 a fungus with a drab squamulose cap and grey-brown squamules over the white background of the stalk and waxy grey-white gills +n13072031 a fungus with a slightly viscid cap; cap and gills are reddish brown and the stalk is grey +n13072209 a grey fungus frequently found near melting snow banks +n13072350 a fungus with a viscid purplish red cap and stalk; found under spruce and other conifers +n13072528 an edible fungus with a reddish cap and close pale gills and dry stalk; found under hardwoods +n13072706 an edible fungus with a large white cap and a dry stalk and white gills +n13072863 a fungus having a brownish sticky cap with a white margin and white gills and an odor of raw potatoes +n13073055 a small fungus with orange cap and yellow gills found in sphagnum bogs +n13073703 a fungus with a small brown convex cap with a depressed disc; waxy wine-colored gills and a brown stalk; fruits in or near melting snow banks in the western mountains of North America +n13074619 a fungus with large tawny caps and pale cinnamon gills and a red band of veil around the stalk; usually found near birch trees +n13074814 an edible fungus with a slimy viscid cap that is initially yellow but turns olive and then tawny; flesh is lavender +n13075020 a fungus with a viscid wrinkled tawny cap; the stalk has a basal bulb that diminishes as the stalk elongates; the gills are dark violet at first but soon turn brown +n13075272 a poisonous fungus with a bright yellow brown cap and a long cinnamon colored stalk +n13075441 a fungus with a reddish purple cap having a smooth slimy surface; close violet gills; all parts stain dark purple when bruised +n13075684 a fungus with a dry brown cap and rusty red gills and a yellowish stalk +n13075847 a fungus with a sticky lavender cap and stalk that whitish above and covered with a silky lavender sheath +n13076041 a fungus that is violet overall with a squamulose cap +n13076405 a fungus with a brownish orange fruiting body and a ring near the top of the stalk; the taste is bitter and the flesh contains psilocybin and psilocin +n13076643 a poisonous fungus with a dry cap and a cortina that does not leave much of a ring on the robust stalk +n13076831 a giant fungus of the Pacific Northwest; has a very thick stalk and the cortina leaves a ring high up on the stalk +n13077033 a fungus that produces a superficial growth on various kinds of damp or decaying organic matter +n13077295 a fungus that produces a superficial (usually white) growth on organic matter +n13078021 a fungus of the genus Verticillium +n13079073 any of the yeastlike imperfect fungi of the genus Monilia +n13079419 any of the yeastlike imperfect fungi of the genus Candida +n13079567 a parasitic fungus that can infect the mouth or the skin or the intestines or the vagina +n13080306 any of various yeastlike budding fungi of the genus Blastomyces; cause disease in humans and other animals +n13080866 fungus causing yellow spot (a sugarcane disease in Australia) +n13081229 fungus causing green smut in rice +n13081999 a fungus causing dry rot +n13082568 any fungus now or formerly belonging to the form genus Rhizoctinia +n13083023 any of a variety of plants grown indoors for decorative purposes +n13083461 an ornamental plant suitable for planting in a flowerbed +n13084184 a plant adapted to arid conditions and characterized by fleshy water-storing tissues that act as water reservoirs +n13084834 a variety of a plant developed from a natural species and maintained under cultivation +n13085113 any plant that crowds out cultivated plants +n13085747 usually used in combination: `liverwort'; `milkwort'; `whorlywort' +n13090018 a thorny stem or twig +n13090871 fleshy and usually brightly colored cover of some seeds that develops from the ovule stalk and partially or entirely envelopes the seed +n13091620 leaf in ferns and mosses that bears the sporangia +n13091774 organ containing or producing spores +n13091982 stalk bearing one or more sporangia +n13092078 saclike structure in which ascospores are formed through sexual reproduction of ascomycetes +n13092240 sexually produced fungal spore formed within an ascus +n13092385 one of a string of thick walled vegetative resting cells formed by some algae and fungi +n13092987 a sporangium that arises from a group of epidermal cells +n13093275 a sporangium containing four asexual spores +n13093629 cell or organ in which gametes develop +n13094145 cluster of sporangia usually on underside of a fern frond +n13094273 a spore-producing structure in certain lichens and fungi +n13095013 membrane of the young sporophore of various mushrooms extending from the margin of the cap to the stem and is ruptured by growth; represented in mature mushroom by an annulus around the stem and sometimes a cortina on the margin of the cap +n13096779 woody tissue +n13098515 a sheet of vascular tissue separating the vascular bundles +n13098962 (botany) tissue that conducts synthesized food substances (e.g., from leaves) to parts where needed; consists primarily of sieve tubes +n13099833 a plant having foliage that persists and remains green throughout the year +n13099999 a plant having foliage that is shed annually at the end of the growing season +n13100156 a plant that when touched or ingested in sufficient quantity can be harmful or fatal to an organism +n13100677 a plant with a weak stem that derives support from climbing, twining, or creeping along a surface +n13102648 any plant (as ivy or periwinkle) that grows by creeping +n13102775 slender stem-like structure by which some twining plants attach themselves to an object for support +n13103023 a plant that climbs by its adventitious roots e.g. ivy +n13103660 a category in some early taxonomies +n13103750 having the shape or characteristics of a tree +n13103877 a dead tree that is still standing, usually in an undisturbed forest +n13104059 a tall perennial woody plant having a main trunk and branches forming a distinct elevated crown; includes both gymnosperms and angiosperms +n13107694 any tree that is valued as a source of lumber or timber +n13107807 a small tree +n13107891 tree (as opposed to shrub) +n13108131 any of several trees having seedpods as fruits +n13108323 a tree with limbs cut back to promote a more bushy growth of foliage +n13108481 young tree +n13108545 a tree planted or valued chiefly for its shade from sunlight +n13108662 any tree of the division Gymnospermophyta +n13108841 any gymnospermous tree or shrub bearing cones +n13109733 any tree having seeds and ovules contained in the ovary +n13110915 tree bearing edible nuts +n13111174 tree bearing aromatic bark or berries +n13111340 any of several trees having leaves or bark used to allay fever or thought to indicate regions free of fever +n13111504 the base part of a tree that remains standing after the tree has been felled +n13111881 a dwarfed ornamental tree or shrub grown in a tray or shallow pot +n13112035 a dwarfed evergreen conifer or shrub shaped to have flat-topped asymmetrical branches and grown in a container +n13112201 an artificial plant resembling a bonsai +n13118330 a low shrub +n13118707 low-growing woody shrub or perennial with woody base +n13119870 any of various rough thorny shrubs or vines +n13120211 a woody climbing usually tropical plant +n13120958 a perennial plant that propagates by underground bulbs or tubers or corms +n13121104 plant adapted for life with a limited supply of water; compare hydrophyte and mesophyte +n13121349 land plant growing in surroundings having an average supply of water; compare xerophyte and hydrophyte +n13122364 a semiaquatic plant that grows in soft wet land; most are monocots: sedge, sphagnum, grasses, cattails, etc; possibly heath +n13123309 a plant that is an epiphyte for part of its life +n13123431 an epiphytic vine or tree whose aerial roots extend down the trunk of a supporting tree and coalesce around it eventually strangling the tree +n13123841 plant that grows on rocks or stony soil and derives nourishment from the atmosphere +n13124358 an organism that lives in and derives its nourishment from organic matter in stagnant or foul water +n13124654 plant capable of synthesizing its own food from simple organic substances +n13125117 (botany) the usually underground organ that lacks buds or leaves or nodes; absorbs water and mineral salts; usually it anchors the plant to the ground +n13126050 (botany) main root of a plant growing straight downward from the stem +n13126856 a root that grows from and supports the stem above the ground in plants such as mangroves +n13127001 a plant structure resembling a leaf +n13127303 root or part of a root used for plant propagation; especially that part of a grafted plant that supplies the roots +n13127666 cuttings of plants set in the ground to grow as hawthorn for hedges or vines +n13127843 a horizontal branch from the base of plant that produces new plants from buds at its tips +n13128278 plant growing from a tuber +n13128582 a horizontal plant stem with shoots above and roots below serving as a reproductive structure +n13128976 axis of a compound leaf or compound inflorescence +n13129078 woody stem of palms and tree ferns +n13130014 a flattened stem resembling and functioning as a leaf +n13130161 enlarged tip of a stem that bears the floral parts +n13130726 erect leafless flower stalk growing directly from the ground as in a tulip +n13131028 flat-topped or rounded inflorescence characteristic of the family Umbelliferae in which the individual flower stalks arise from about the same point; youngest flowers are at the center +n13131618 the slender stem that supports the blade of a leaf +n13132034 stalk bearing an inflorescence or solitary flower +n13132156 a small stalk bearing a single flower of an inflorescence; an ultimate division of a common peduncle +n13132338 an inflorescence consisting of a cluster of flowers +n13132486 usually elongate cluster of flowers along the main stem in which the flowers at the base open first +n13132656 compound raceme or branched cluster of flowers +n13132756 a dense flower cluster (as of the lilac or horse chestnut) in which the main axis is racemose and the branches are cymose +n13132940 more or less flat-topped cluster of flowers in which the central or terminal flower opens first +n13133140 a small cyme, generally with few flowers +n13133233 a compacted or sessile cyme +n13133316 a cyme with flowers or branches alternating in opposite ranks +n13133613 fruiting spike of a cereal plant especially corn +n13133932 the fleshy axis of a spike often surrounded by a spathe +n13134302 plant growing from a bulb +n13134531 small bulb or bulb-shaped growth arising from the leaf axil or in the place of flowers +n13134844 plant growing from a corm +n13134947 the ripened reproductive body of a seed plant +n13135692 a diminutive fruit, especially one that is part of a multiple fruit +n13135832 a small hard fruit +n13136316 any of various seeds or fruits that are beans or resemble beans +n13136556 usually large hard-shelled seed +n13136781 a small nut +n13137010 the inner and usually edible part of a seed or grain or nut or fruit stone +n13137225 the fleshy multiple fruit of the fig consisting of an enlarged hollow receptacle containing numerous fruitlets +n13137409 a small fruit having any of various structures, e.g., simple (grape or blueberry) or aggregate (blackberry or raspberry) +n13137672 fruit consisting of many individual small fruits or drupes derived from separate ovaries within a common receptacle: e.g. blackberry; raspberry; pineapple +n13137951 an indehiscent fruit derived from a single ovary having one or many seeds within a fleshy wall or pericarp: e.g. grape; tomato; cranberry +n13138155 one of the small drupes making up an aggregate or multiple fruit like a blackberry +n13138308 fleshy indehiscent fruit with a single seed: e.g. almond; peach; plum; cherry; elderberry; olive; jujube +n13138658 a small part of an aggregate fruit that resembles a drupe +n13138842 a fleshy fruit (apple or pear or related fruits) having seed chambers and an outer fleshy part +n13139055 a several-seeded dehiscent fruit as e.g. of a leguminous plant +n13139321 seedpods that are constricted between the seeds and that break apart when mature into single-seeded segments +n13139482 fruit of such plants as the plantain; a capsule whose upper part falls off when the seeds are released +n13139647 outer membranous covering of some fruits or seeds +n13139837 the husk of an ear of corn +n13140049 the vessel that contains the seeds of a plant (not the seeds themselves) +n13140367 fruit containing much fleshy tissue besides that of the ripened ovary; as apple or strawberry +n13141141 a shrub or shrubby tree of the genus Rhamnus; fruits are source of yellow dyes or pigments +n13141415 fruit of various buckthorns yielding dyes or pigments +n13141564 shrubby tree of the Pacific coast of the United States; yields cascara sagrada +n13141797 dried bark of the cascara buckthorn used as a laxative +n13141972 deciduous shrub of eastern and central United States having black berrylike fruit; golden-yellow in autumn +n13142182 evergreen shrub of western United States bearing small red or black fruits +n13142504 small spiny evergreen shrub of western United States and Mexico with minute flowers and bright red berries +n13142907 any of several small to medium-sized trees of Florida and West Indies with thin scaly bark and heavy dark heartwood +n13143285 spiny tree having dark red edible fruits +n13143758 thorny Eurasian shrub with dry woody winged fruit +n13144084 Australian tree grown especially for ornament and its fine-grained wood and bearing edible nuts +n13145040 native grape of northeastern United States; origin of many cultivated varieties e.g. Concord grapes +n13145250 native grape of southeastern United States; origin of many cultivated varieties +n13145444 common European grape cultivated in many varieties; chief source of Old World wine and table grapes +n13146403 white wine grape; grown especially in California for making wines resembling those from Chablis, France +n13146583 small blue-black grape of Medoc region of France highly prized in winemaking +n13146928 white wine grape grown in California +n13147153 white grape grown especially in the valley the Loire in France +n13147270 white grape grown in Europe and California +n13147386 small black grape grown chiefly in California; transplanted from Europe +n13147532 white grape grown especially in California and the lower Loire valley of France +n13147689 used to make malmsey wine +n13147918 a variety of white wine grape grown in Italy +n13148208 Asiatic vine with three-lobed leaves and purple berries +n13148384 common North American vine with compound leaves and bluish-black berrylike fruit +n13149296 any of various shrubby vines of the genus Piper +n13149970 Asian pepper plant whose dried leaves are chewed with betel nut (seed of the betel palm) by southeast Asians +n13150378 spicy fruit of the cubeb vine; when dried and crushed is used medicinally or in perfumery and sometimes smoked in cigarettes +n13150592 a dry dehiscent fruit that at maturity splits into two or more parts each with a single seed +n13150894 any of various plants of the genus Peperomia; grown primarily for their often succulent foliage +n13151082 grown as a houseplant for its silvery striped fleshy foliage; South America +n13152339 stoloniferous herb of southwestern United States and Mexico having a pungent rootstock and small spicate flowers with white bracts suggesting an anemone +n13154388 division of a usually pinnately divided leaf +n13154494 compound leaf of a fern or palm or cycad +n13154841 a modified leaf or leaflike part just below and protecting an inflorescence +n13155095 a small bract +n13155305 a highly conspicuous bract or bract pair or ring of bracts at the base of an inflorescence +n13155611 small dry membranous bract found in inflorescences of Gramineae and Cyperaceae +n13156986 a leaf resembling an open hand; having lobes radiating from a common point +n13157137 a leaf resembling a feather; having the leaflets on each side of a common axis +n13157346 a pinnate leaf having two pairs of leaflets +n13157481 a leaf having divisions that are themselves compound +n13157684 a leaf narrowing to a slender point +n13157971 a simple leaf shaped like a capital delta +n13158167 a sword-shaped leaf; as of iris +n13158512 a long slender leaf +n13158605 a simple leaf having curvature suggestive of a lyre +n13158714 a simple leaf having a rounded or blunt tip +n13158815 a leaf having a rounded apex and tapering base +n13159357 a fiddle-shaped leaf +n13159691 a simple kidney-shaped leaf +n13159890 spatula-shaped leaf; having a broad rounded apex and narrow base +n13160116 a pinnate leaf with a pair of leaflets at the apex +n13160254 a pinnate leaf with a single leaflet at the apex +n13160365 a leaf having the radiating lobes each deeply cleft or divided +n13160604 a leaf having a scalloped margin +n13160831 a leaf having a toothed margin +n13160938 a leaf having a finely toothed margin; minutely dentate +n13161151 a leaf having a jagged margin as though gnawed +n13161254 a leaf having incised margins with the lobes or teeth curved toward the base; as a dandelion leaf +n13161904 a leaf having prickly margins +n13163553 a branch or a part of a tree that is dead +n13163649 stems of beans and peas and potatoes and grasses collectively as used for thatching and bedding +n13163991 a small branch or division of a branch (especially a terminal division); usually applied to branches of the current or preceding year +n13164501 flexible twig of a willow tree +n13170840 large scrambling fern forming large patches to 18 feet high; Pacific region and China +n13171210 large Australasian fern with fanlike repeatedly forked fronds; sometimes placed in genus Gleichenia +n13171797 aquatic fern of tropical America often used in aquariums +n13172923 any of numerous ferns of the genus Polypodium +n13173132 fern having rootstock of a sweetish flavor +n13173259 fern growing on rocks or tree trunks and having fronds greyish and scurfy below; Americas and South Africa +n13173488 stiff leathery-leaved fern of western North America having ovate fronds parted to the midrib +n13173697 chiefly lithophytic or epiphytic fern of North America and east Asia +n13173882 mat-forming lithophytic or terrestrial fern with creeping rootstocks and large pinnatifid fronds found throughout North America and Europe and Africa and east Asia +n13174354 epiphytic fern with large fronds; Taiwan and Philippines +n13174670 fern with long narrow strap-shaped leaves +n13174823 common epiphytic or sometimes terrestrial fern having pale yellow-green strap-shaped leaves; Florida to West Indies and Mexico and south to Uruguay +n13175682 giant epiphytic or lithophytic fern; Asia to Polynesia and Australia +n13176363 epiphytic ferns with long rhizomes; tropical America +n13176714 tropical Africa to Australasia and Polynesia +n13177048 tropical American fern with brown scaly rhizomes cultivated for its large deeply lobed deep bluish-green fronds; sometimes placed in genus Polypodium +n13177529 any of various tropical ferns of the genus Platycerium having large flat lobed fronds often resembling the antlers of a stag +n13177768 fern of Peru and Bolivia +n13177884 commonly cultivated fern of Australia and southeastern Asia and Polynesia +n13178284 east Asian fern having fronds shaped like tongues; sometimes placed in genus Cyclophorus +n13178707 small epiphytic fern of South America with tuberous swellings along rhizomes +n13179056 plant that affords shelter or food to ants that live in symbiotic relations with it +n13179804 epiphytic fern found in lowland forests of tropical America +n13180534 any of various chiefly rock-inhabiting ferns of the genus Asplenium +n13180875 spleenwort of Europe and Africa and Asia having pinnate fronds and yielding an astringent +n13181055 tropical Old World or Australian epiphytic fern frequently forming tufts in tree crotches +n13181244 common North American fern with polished black stripes +n13181406 fern of tropical America: from southern United States to West Indies and Mexico to Brazil +n13181811 ferns having lanceolate fronds that root at the tip +n13182164 a small fern with slim green fronds; widely distributed in cool parts of northern hemisphere +n13182338 a spleenwort of eastern North America +n13182799 a spleenwort of eastern and southern United States +n13182937 a spleenwort of western Europe +n13183056 Eurasian fern with simple lanceolate fronds +n13183489 small European fern with chaffy leathery fronds +n13184394 a fern thought to resemble a millipede +n13185269 fern with erect fronds of Europe and western North America; often cultivated for deer browse +n13185658 any fern of the genus Doodia having pinnate fronds with sharply dentate pinnae +n13186388 a fern of the genus Woodwardia having the sori in chainlike rows +n13186546 North American fern +n13187367 a showy tree fern of New Zealand and Australia having a crown of pinnated fronds with whitish undersides +n13188096 any fern of the genus Davallia; having scaly creeping rhizomes +n13188268 either of two ferns of the genus Davallia having a soft grey hairy rootstock +n13188462 fern of the Canary Islands and Madeira +n13188767 feathery fern of tropical Asia and Malaysia +n13190060 fern of southeastern Asia; not hardy in cold temperate regions +n13190747 of Australia and Tasmania; often cultivated; hardy in cool climates +n13191148 Asiatic tree fern having dense matted hairs sometimes used as a styptic +n13191620 resembles Pteridium aquilinum; of Queensland, Australia +n13191884 a terrestrial tree fern of South America +n13192625 any of various ferns of the genera Dryopteris or Polystichum or Lastreopsis having somewhat shield-shaped coverings on the sori +n13193143 European shield fern +n13193269 fern or northern Eurasia and North America having fragrant fronds +n13193466 North American fern with a blackish lustrous stipe +n13193642 any of various ferns of the genus Dryopteris +n13193856 fern of North America and Europe whose rhizomes and stalks yield an oleoresin used to expel tapeworms +n13194036 North American fern with evergreen fronds +n13194212 a fern of the genus Dryopteris +n13194572 most widely grown fern of the genus Athyrium for its delicate foliage +n13194758 a lady fern with deeply cut leaf segments; found in the Rocky Mountains +n13194918 North American fern with narrow fronds on yellowish leafstalks +n13195341 tropical Old World fern having glossy fronds suggestive of holly; sometimes placed in genus Polystichum +n13195761 any fern of the genus Cystopteris characterized by a hooded indusium or bladderlike membrane covering the sori +n13196003 delicate fern widely distributed in North America and European having thin pinnatifid fronds with brittle stems +n13196234 fern of rocky mountainous areas of hemisphere +n13196369 North American fern often bearing bulbils on the leaflets +n13196738 fern with elongate silvery outgrowths enclosing the developing spores +n13197274 bright blue-green fern widely distributed especially in damp acid woodlands of temperate northern hemisphere +n13197507 yellow-green fern of rocky areas of northern hemisphere +n13198054 tall fern of northern temperate regions having graceful arched fronds and sporophylls resembling ostrich plumes +n13198482 tropical American terrestrial fern with leathery lanceolate fronds; sometimes placed in genus Polybotrya +n13198914 beautiful spreading fern of eastern North America and eastern Asia naturalized in western Europe; pinnately divided fronds show a slight tendency to fold when touched; pinnules enclose groups of sori in beadlike lobes +n13199717 North American evergreen fern having pinnate leaves and dense clusters of lance-shaped fronds +n13199970 any of various ferns of the genus Polystichum having fronds with texture and gloss like holly +n13200193 North American fern whose more or less evergreen leathery fronds are covered with pale brown chafflike scales +n13200542 North American fern +n13200651 European shield fern cultivated in many varieties +n13200986 widely distributed fern of tropical southern hemisphere having leathery pinnatifid fronds +n13201423 Jamaican fern having round buttonlike bulbils +n13201566 fern of tropical Asia having round buttonlike bulbils +n13201969 any fern of the genus Woodsia +n13202125 a common rock-inhabiting fern of northern temperate regions having rusty-brown stipes and lanceolate pinnate fronds +n13202355 slender fern of northern North America with shining chestnut-colored stipes and bipinnate fronds with usually distinct marginal sori +n13202602 rock-inhabiting fern of Arctic and subarctic Europe to eastern Asia +n13205058 a sword fern with arching or drooping pinnate fronds; a popular houseplant +n13205249 tropical American fern cultivated for its finely divided greyish-green foliage; West Indies and southern Mexico to Peru and Brazil +n13206178 stout tropical swamp fern (especially tropical America) having large fronds with golden yellow sporangia covering the undersides +n13206817 any of various small to large terrestrial ferns of the genus Adiantum having delicate palmately branched fronds +n13207094 delicate maidenhair fern with slender shining black leaf stalks; cosmopolitan +n13207335 hardy palmately branched North American fern with divergent recurved branches borne on lustrous dark reddish stipes +n13207572 delicate endemic Bermudian fern with creeping rootstock +n13207736 tropical American fern with broad pinnae; widely cultivated +n13207923 named for a country house in Barbados where it was discovered +n13208302 small short-lived fern of Central and South America +n13208705 any of various terrestrial ferns of the genus Cheilanthes; cosmopolitan in arid and semiarid temperate or tropical regions +n13208965 southeastern United States to northern Mexico and Jamaica +n13209129 small tufted fern of northwestern America +n13209270 small North American evergreen fern whose stipes and lower frond surfaces are densely wooly +n13209460 lip fern of Texas to Oklahoma and Colorado and Arizona and Mexico having tall erect tufted fronds +n13209808 fast-growing sturdy Japanese fern; cultivated for their attractive broad dark-green pinnate fronds +n13210350 rock-inhabiting fern of northern North America growing in massive tufts and having fronds resembling parsley +n13210597 fern of Europe and Asia Minor having short slender rhizome and densely tufted bright green fronds resembling parsley +n13211020 tropical American fern with coarsely lobed to palmatifid fronds +n13211790 any of several small lithophytic ferns of tropical and warm temperate regions +n13212025 evergreen fern of California and Baja California +n13212175 very short shallowly creeping North American fern usually growing on cliffs or walls and having dark glossy leaf axes +n13212379 cliff brake of California and Baja California having purple-brown leafstalks +n13212559 fern of New Zealand and Australia having trailing fronds with dark green buttonlike leaflets +n13213066 fern of southern tropical Africa having fronds with white undersides +n13213397 tropical American fern having fronds with light golden undersides +n13213577 fern of West Indies and South America having fronds with bright golden-yellow undersides +n13214217 cultivated in many varieties as houseplants +n13214340 Asiatic fern introduced in America +n13214485 fern of North Africa and Azores and Canary Islands +n13215258 large Australasian evergreen fern with an edible rhizome sometimes used as a vegetable by indigenous people +n13215586 highly variable species of very large primitive ferns of the Pacific tropical areas with high rainfall +n13217005 pantropical epiphytic or terrestrial whisk fern with usually dull yellow branches and minute leaves; America; Japan; Australia +n13219422 perennial rushlike flowerless herbs with jointed hollow stems and narrow toothlike leaves that spread by creeping rhizomes; tend to become weedy; common in northern hemisphere; some in Africa and South America +n13219833 of Eurasia and Greenland and North America +n13219976 Eurasia; northern North America to Virginia +n13220122 evergreen erect horsetail with rough-edged stems; formerly used for scouring utensils +n13220355 scouring-rush horsetail widely distributed in wet or boggy areas of northern hemisphere +n13220525 Eurasia except southern Russia; northern North America +n13220663 northern North America; Greenland; northern and central Europe +n13221529 primitive evergreen moss-like plant with spores in club-shaped strobiles +n13222877 a variety of club moss +n13222985 a variety of club moss +n13223090 of northern Europe and America; resembling a miniature fir +n13223588 a variety of club moss +n13223710 a variety of club moss +n13223843 ground pine thickly covered with bristly leaves; widely distributed in barren sandy or peaty moist coastal regions of eastern and southeastern United States +n13224673 any of numerous fern allies of the genus Selaginella +n13224922 spikemoss forming dense mats; eastern North America +n13225244 prostrate spikemoss; California +n13225365 densely tufted fern ally of southwestern United States to Peru; curls up in a tight ball when dry and expands and grows under moist conditions +n13225617 occurs widely in Florida +n13226320 any of several spore-bearing aquatic or marsh plants having short rhizomes and leaves resembling quills; worldwide except Polynesia +n13226871 any club-shaped fungus of the genus Geoglossum +n13228017 fern of northeastern North America +n13228536 any of several tropical ferns of the genus Christella having thin brittle fronds +n13229543 common European mountain fern having fragrant lemon or balsam scented fronds +n13229951 slender shield fern of moist woods of eastern North America; sometimes placed in genus Dryopteris +n13230190 delicate feathery shield fern of the eastern United States; sometimes placed in genus Thelypteris +n13230662 any fern of the genus Phegopteris having deeply cut triangular fronds +n13230843 beech fern of North American woodlands having straw-colored stripes +n13231078 beech fern of North America and Eurasia +n13231678 any of several fungi of the genus Armillaria that form brown stringy rhizomorphs and cause destructive rot of the roots of some trees such as apples or maples +n13231919 fungus with a brown cap and white gills and a membranous ring halfway up the stalk +n13232106 a large white mushroom that develops brown stains as it ages; gills are white; odor is spicy and aromatic; collected commercially for oriental cooking the Pacific Northwest +n13232363 a large fungus with viscid cap that dries and turns brown with age; gills are off-white +n13232779 a honey-colored edible mushroom commonly associated with the roots of trees in late summer and fall; do not eat raw +n13233727 any of numerous plants of the genus Asclepias having milky juice and pods that split open releasing seeds with downy tufts +n13234114 tall herb with leafless white waxy stems and whitish starlike flowers; southwestern United States +n13234519 milkweed of the eastern United States with leaves resembling those of pokeweed +n13234678 densely branching perennial of the eastern United States with white to crimson or purple flowers +n13234857 milkweed of central North America; a threatened species +n13235011 perennial of eastern North America having pink-purple flowers +n13235159 milkweed of southern North America having large starry purple and pink flowers +n13235319 milkweed of southwestern United States and Mexico; poisonous to livestock +n13235503 erect perennial of eastern and southern United States having showy orange flowers +n13235766 milkweed of the eastern United States with narrow leaves in whorls and greenish-white flowers +n13236100 robust twining shrub having racemes of fragrant white or pink flowers with flat spreading terminal petals that trap nocturnal moths and hold them until dawn +n13237188 succulent climber of southern Asia with umbels of pink and white star-shaped flowers +n13237508 deciduous climber for arches and fences having ill-scented but interesting flowers and poisonous yellow fruits; cultivated for its dark shining foliage; southeastern Europe to Asia Minor +n13238375 any of various plants of the genus Stapelia having succulent leafless toothed stems resembling cacti and large foul-smelling (often star-shaped) flowers +n13238654 stapelia of Cape Province having mostly dark red-brown flowers with flat starlike corollas +n13238988 any of various evergreen climbing shrubs of the genus Stephanotis having fragrant waxy flowers +n13239177 twining woody vine of Madagascar having thick dark waxy evergreen leaves and clusters of large fragrant waxy white flowers along the stems; widely cultivated in warm regions +n13239736 twining vine with hairy foliage and dark purplish-brown flowers +n13239921 a plant spore formed by two similar sexual cells +n13240362 the biblical tree in the Garden of Eden whose forbidden fruit was tasted by Adam and Eve +n13252672 a place where oranges are grown; a plantation of orange trees in warm climes or a greenhouse in cooler areas +n13354021 your personal financial means +n13555775 a coarse term for defecation +n13579829 the amount of wood in an area as measured in cords +n13650447 a unit of length equal to 3 feet; defined as 91.44 centimeters; originally taken to be the average length of a stride +n13653902 the most extreme possible amount or value +n13862407 any of the various shape that leaves of plants can assume +n13862552 a figure whose sides are all equal +n13862780 a combination of points and lines and planes that form a visible palpable shape +n13863020 a figure formed by a set of straight lines or light rays meeting at a point +n13863186 a two-dimensional shape +n13863473 a three-dimensional shape +n13863771 a length (straight or curved) without breadth or thickness; the trace of a moving point +n13864035 anything with a round shape resembling a teardrop +n13864153 a shape that curves or bulges outward +n13864965 a shape that curves or bends inward +n13865298 a solid bounded by a cylindrical surface and two parallel planes (the bases) +n13865483 a shape that is curved and without sharp angles +n13865904 a plane figure with rounded sides curving inward at the top and intersecting at the bottom; conventionally used on playing cards and valentines +n13866144 a closed plane figure bounded by straight sides +n13866626 a polygon such that no side extended cuts any other side or vertex; it can be cut by a straight line in at most two points +n13866827 a polygon such that there is a straight line that cuts it in four or more points +n13867005 a polygon with one or more reentrant angles +n13867492 an ill-defined or arbitrary shape +n13868248 a curve (such as a circle) having no endpoints +n13868371 a closed curve that does not intersect itself +n13868515 a double curve resembling the letter S +n13868944 an undulating curve +n13869045 the exterior curve of an arch +n13869547 a sharp curve or crook; a shape resembling a hook +n13869788 a curve that is tangent to each of a family of curves +n13869896 a bend or curve (especially in a coastline) +n13871717 a straight line connecting the center of a circle with two points on its perimeter (or the center of a sphere with two points on its surface) +n13872592 a shape whose base is a circle and whose sides taper up to a point +n13872822 a conical shape with a wider and a narrower opening at the two ends +n13873361 a plane figure that deviates from a square or circle due to elongation +n13873502 ellipse in which the two axes are of equal length; a plane curve generated by one point moving at a constant distance from a fixed point +n13873917 something approximating the shape of a circle +n13874073 a circle dividing a sphere or other surface into two usually equal and symmetrical parts +n13874558 one of a series of rounded projections (or the notches between them) formed by curves along an edge (as the edge of a leaf or piece of cloth or the margin of a shell or a shriveled red blood cell observed in a hypertonic solution etc.) +n13875392 a toroidal shape +n13875571 anything with a round or oval shape (formed by a curve that is closed and does not intersect itself) +n13875884 a loop in a rope +n13876561 a curve that lies on the surface of a cylinder or cone and cuts the element at a constant angle +n13877547 a straight line joining the apex and a point on the base +n13877667 a straight line running the length of the cylinder +n13878306 a closed plane curve resulting from the intersection of a circular cone and a plane cutting completely through it +n13879049 a square-shaped object +n13879320 a three-sided polygon +n13879816 a triangle whose interior angles are all acute +n13880199 a triangle with two equal sides +n13880415 a triangle that contains an obtuse interior angle +n13880551 a triangle with one right angle +n13880704 a triangle with no two sides of equal length +n13880994 (mathematics) one of a set of parallel geometric figures (parallel lines or planes) +n13881512 a quadrilateral with two parallel sides +n13881644 a plane figure with 5 or more points; often used as an emblem +n13882201 a five-sided polygon +n13882276 a six-sided polygon +n13882487 a seven-sided polygon +n13882563 an eight-sided polygon +n13882639 a nine-sided polygon +n13882713 a polygon with 10 sides and 10 angles +n13882961 a parallelogram with four equal sides; an oblique-angled equilateral parallelogram +n13883603 a figure on the surface of a sphere bounded by arcs of 3 or more great circles +n13883763 a spherical polygon formed by the arcs of 3 great circles +n13884261 a polyhedron any plane section of which is a convex polygon +n13884384 a polyhedron some of whose plane sections are concave polygons +n13884930 a rectangular parallelepiped +n13885011 a prism whose bases are quadrangles +n13886260 the shape of a bell +n13888491 the angular separation between two objects as perceived by an observer +n13889066 the angular distance of a point in an orbit past the point of periapsis measured in degrees +n13889331 an angle formed at the intersection of the arcs of two great circles +n13891547 the angle between a refracted ray and a line perpendicular to the surface between the two media at the point of refraction +n13891937 an angle less than 90 degrees but more than 0 degrees +n13893786 a long narrow furrow cut either by a natural process (such as erosion) or by a tool (as e.g. a groove in a phonograph record) +n13894154 a groove or furrow (especially one in soft earth caused by wheels) +n13894434 something that bulges out or is protuberant or projects from its surroundings +n13895262 a part that bulges deeply +n13896100 something curved in shape +n13896217 any shape resembling the curved shape of the moon in its first or last quarters +n13897198 a surface whose plane sections are all ellipses or circles +n13897528 the side of a right triangle opposite the right angle +n13897996 equality of distribution +n13898207 a symmetrical arrangement of the parts of a thing +n13898315 balance among the parts of something +n13898645 a shape that is generated by rotating an ellipse around one of its axes +n13899735 a small sphere +n13900287 the doughnut-shaped object enclosed by a torus +n13900422 anything that approximates the shape of a column or tower +n13901211 a bulging cylindrical shape; hollow with flat ends +n13901321 a hollow cylindrical shape +n13901423 a small sphere +n13901490 a small round soft mass (as of chewed food) +n13901858 a drop of dew +n13902048 any long raised strip +n13902336 the shape of a raised edge of a more or less circular object +n13902793 a convex shape that narrows toward a point +n13903079 a line determining the limits of an area +n13905121 (anatomy) a notch or small hollow +n13905275 a V-shaped indentation +n13905792 a slight depression in the smoothness of a surface +n13906484 the lines that form patterns on the skin (especially on the fingertips and the palms of the hands and the soles of the feet) +n13906669 a facial wrinkle associated with frowning +n13906767 a crease on the palm; its length is said by palmists to indicate how long you will live +n13906936 a crease on the palm; palmists say it indicates your emotional nature +n13907272 a long narrow depression in a surface +n13908201 a split or indentation in something (as the palate or chin) +n13908580 a line generated by a point on one figure rolling around a second figure +n13911045 a connecting point at which several lines come together +n13912260 a figure that branches from a single root +n13912540 a tree diagram showing a reconstruction of the transmission of manuscripts of a literary work +n13914141 (biology) a branching or armlike part of an animal +n13914265 the region of the angle formed by the junction of two branches +n13914608 a three-dimensional shape with six square or rectangular sides +n13915023 an egg-shaped object +n13915113 any polyhedron having four plane faces +n13915209 any polyhedron having five plane faces +n13915305 any polyhedron having six plane faces +n13915999 any one of five solids whose faces are congruent regular polygons and whose polyhedral angles are all congruent +n13916363 the space enclosed by three or more planes that intersect in a vertex +n13916721 a hexahedron with six equal squares as faces +n13917690 a frustum formed from a pyramid +n13917785 a frustum formed from a cone +n13918274 any projection that resembles the tail of an animal +n13918387 any long thin projection that is transient +n13918717 a polyhedron whose faces are trapeziums +n13919547 any shape that is triangular in cross section +n13919919 a projection or ridge that suggests a keel +n13926786 a particular situation +n14131950 viral diseases causing eruptions of the skin or mucous membrane +n14175579 a sexually transmitted infection caused by bacteria of the genus Chlamydia +n14564779 a difficult or awkward situation +n14582716 a substance needed only in small amounts for normal body function (e.g., vitamins or minerals) +n14583400 a semiliquid mass of partially digested food that passes from the stomach through the pyloric sphincter into the duodenum +n14585392 pollen of the ragweed plant is a common allergen +n14592309 a fine cloth made from pineapple fibers +n14603798 a tear gas that is stronger than CN gas but wears off faster; can be deployed by grenades or cluster bombs; can cause skin burns and fatal pulmonary edema +n14633206 an abundant nonmetallic tetravalent element occurring in three allotropic forms: amorphous carbon and graphite and diamond; occurs in all organic compounds +n14685296 a carbonaceous material obtained by heating wood or other organic matter in the absence of air +n14696793 material consisting of the aggregate of minerals like those making up the Earth's crust +n14698884 rock fragments and pebbles +n14714645 a potent carcinogen from the fungus Aspergillus; can be produced and stored for use as a bioweapon +n14720833 a potent form of vitamin E obtained from germ oils or by synthesis +n14765422 the pelt of a leopard +n14785065 building material consisting of bricks laid with mortar between them +n14786943 used to wrap around pipes or boilers or laid in attics to prevent loss of heat +n14804958 a cement that hardens under water; made by heating limestone and clay in a kiln and pulverizing the result +n14810561 a B-complex vitamin that is a constituent of lecithin; essential in the metabolism of fat +n14820180 a strong hard building material composed of sand and gravel and cement and water +n14821852 glass fibers spun and massed into bundles resembling wool +n14844693 the part of the earth's surface consisting of humus and disintegrated rock +n14853210 a powerful chemical explosive that produces gas at a very high rate +n14858292 rubbish carelessly dropped or left about (especially in public places) +n14867545 ground dried fish used as fertilizer and as feed for domestic livestock +n14891255 a mixture used by Byzantine Greeks that was often shot at adversaries; catches fire when wetted +n14899328 (bacteriology) a nutrient substance (solid or liquid) that is used to cultivate micro-organisms +n14900184 any culture medium that uses agar as the gelling agent +n14900342 a culture medium containing whole blood as the nutrient +n14908027 a tile shaped so as to cover the hip of a hip roof +n14909584 a red transparent variety of zircon used as a gemstone +n14914945 the anion OH having one oxygen and one hydrogen atom +n14915184 water frozen in the solid state +n14919819 an optically inactive alcohol that is a component of the vitamin B complex +n14938389 a floor covering +n14941787 mineral water containing lithium salts +n14942411 a permanent magnet consisting of magnetite that possess polarity and has the power to attract as well as to be attracted magnetically +n14973585 a vitamin of the vitamin B complex that performs an important role in the oxidation of fats and carbohydrates and certain amino acids; occurs in many foods +n14974264 a material made of cellulose pulp derived mainly from wood or rags or certain grasses +n14975598 paper made from the papyrus plant by cutting it in strips and pressing it flat; used by ancient Egyptians and Greeks and Romans +n14976759 a roofing tile with a S-shape; laid so that curves overlap +n14976871 a black bituminous material used for paving roads or other areas; usually spread over crushed rock +n14977188 a paving material of tar and broken stone; mixed in a factory and shaped during paving +n14977504 material used to pave an area +n14992287 a mixture of lime or gypsum with sand and water; hardens into a smooth solid; used to cover walls and ceilings +n14993378 a gas that is poisonous to breath or contact; used in chemical warfare +n15005577 a decorative tile that is bent in cross section; used to cover the ridge of a roof +n15006012 a coarse plaster for the surface of external walls +n15019030 a loose material consisting of grains of rock or coral +n15048888 powder (containing gypsum plaster and glue) that when mixed with water forms a plastic paste used to fill cracks and holes in plaster +n15060326 a substance similar to stucco but exclusively applied to masonry walls +n15060688 building material consisting of interwoven rods and twigs covered with clay +n15062057 a plaster now made mostly from Portland cement and sand and lime; applied while soft to cover exterior walls or surfaces +n15067877 a gas that makes the eyes fill with tears but does not damage them; used in dispersing crowds +n15075141 a soft thin absorbent paper for use in toilets +n15086247 the seed of flax used as a source of oil +n15089258 any of a group of organic substances essential in small quantities to normal metabolism +n15089472 any vitamin that is soluble in fats +n15089645 any vitamin that is soluble in water +n15089803 any of several fat-soluble vitamins essential for normal vision; prevents night blindness or inflammation or dryness of the eyes +n15090065 an unsaturated alcohol that occurs in marine fish-liver oils and is synthesized biologically from carotene +n15090238 a viscous alcohol that is less active in mammals than is vitamin A1 +n15090742 originally thought to be a single vitamin but now separated into several B vitamins +n15091129 a B vitamin that prevents beriberi; maintains appetite and growth +n15091304 a B vitamin that is used to treat pernicious anemia +n15091473 a B vitamin that prevents skin lesions and weight loss +n15091669 a B vitamin that is essential for metabolism of amino acids and starch +n15091846 a B vitamin that is essential for cell growth and reproduction +n15092059 a B vitamin essential for the normal function of the nervous system and the gastrointestinal tract +n15092227 a fat-soluble vitamin that prevents rickets +n15092409 a fat-soluble vitamin that is essential for normal reproduction; an important antioxidant that neutralizes free radicals in the body +n15092650 a B vitamin that aids in body growth +n15092751 a fat-soluble vitamin that helps in the clotting of blood +n15092942 a form of vitamin K +n15093049 a form of vitamin K +n15093137 a vitamin that maintains the resistance of cell and capillary walls to permeation +n15093298 a vitamin found in fresh fruits (especially citrus fruits) and vegetables; prevents scurvy +n15102359 planks collectively; a quantity of planks +n15102455 a cheap hard material made from wood chips that are pressed together and bound with synthetic resin +n15102894 a hole in a board where a knot came out diff --git a/timm/data/_info/imagenet_synset_to_lemma.txt b/timm/data/_info/imagenet_synset_to_lemma.txt new file mode 100644 index 00000000..0c950b6a --- /dev/null +++ b/timm/data/_info/imagenet_synset_to_lemma.txt @@ -0,0 +1,21844 @@ +n00004475 organism, being +n00005787 benthos +n00006024 heterotroph +n00006484 cell +n00007846 person, individual, someone, somebody, mortal, soul +n00015388 animal, animate being, beast, brute, creature, fauna +n00017222 plant, flora, plant life +n00021265 food, nutrient +n00021939 artifact, artefact +n00120010 hop +n00141669 check-in +n00288000 dressage +n00288190 curvet, vaulting +n00288384 piaffe +n00324978 funambulism, tightrope walking +n00326094 rock climbing +n00433458 contact sport +n00433661 outdoor sport, field sport +n00433802 gymnastics, gymnastic exercise +n00434075 acrobatics, tumbling +n00439826 track and field +n00440039 track, running +n00440218 jumping +n00440382 broad jump, long jump +n00440509 high jump +n00440643 Fosbury flop +n00440747 skiing +n00440941 cross-country skiing +n00441073 ski jumping +n00441824 water sport, aquatics +n00442115 swimming, swim +n00442437 bathe +n00442847 dip, plunge +n00442981 dive, diving +n00443231 floating, natation +n00443375 dead-man's float, prone float +n00443517 belly flop, belly flopper, belly whop, belly whopper +n00443692 cliff diving +n00443803 flip +n00443917 gainer, full gainer +n00444142 half gainer +n00444340 jackknife +n00444490 swan dive, swallow dive +n00444651 skin diving, skin-dive +n00444846 scuba diving +n00444937 snorkeling, snorkel diving +n00445055 surfing, surfboarding, surfriding +n00445226 water-skiing +n00445351 rowing, row +n00445685 sculling +n00445802 boxing, pugilism, fisticuffs +n00446311 professional boxing +n00446411 in-fighting +n00446493 fight +n00446632 rope-a-dope +n00446804 spar, sparring +n00446980 archery +n00447073 sledding +n00447221 tobogganing +n00447361 luging +n00447463 bobsledding +n00447540 wrestling, rassling, grappling +n00447957 Greco-Roman wrestling +n00448126 professional wrestling +n00448232 sumo +n00448466 skating +n00448640 ice skating +n00448748 figure skating +n00448872 rollerblading +n00448958 roller skating +n00449054 skateboarding +n00449168 speed skating +n00449295 racing +n00449517 auto racing, car racing +n00449695 boat racing +n00449796 hydroplane racing +n00449892 camel racing +n00449977 greyhound racing +n00450070 horse racing +n00450335 riding, horseback riding, equitation +n00450700 equestrian sport +n00450866 pony-trekking +n00450998 showjumping, stadium jumping +n00451186 cross-country riding, cross-country jumping +n00451370 cycling +n00451563 bicycling +n00451635 motorcycling +n00451768 dune cycling +n00451866 blood sport +n00452034 bullfighting, tauromachy +n00452152 cockfighting +n00452293 hunt, hunting +n00452734 battue +n00452864 beagling +n00453126 coursing +n00453313 deer hunting, deer hunt +n00453396 ducking, duck hunting +n00453478 fox hunting, foxhunt +n00453631 pigsticking +n00453935 fishing, sportfishing +n00454237 angling +n00454395 fly-fishing +n00454493 troll, trolling +n00454624 casting, cast +n00454855 bait casting +n00454983 fly casting +n00455076 overcast +n00455173 surf casting, surf fishing +n00456465 day game +n00463246 athletic game +n00463543 ice hockey, hockey, hockey game +n00464277 tetherball +n00464478 water polo +n00464651 outdoor game +n00464894 golf, golf game +n00466273 professional golf +n00466377 round of golf, round +n00466524 medal play, stroke play +n00466630 match play +n00466712 miniature golf +n00466880 croquet +n00467320 quoits, horseshoes +n00467536 shuffleboard, shovelboard +n00467719 field game +n00467995 field hockey, hockey +n00468299 shinny, shinney +n00468480 football, football game +n00469651 American football, American football game +n00470554 professional football +n00470682 touch football +n00470830 hurling +n00470966 rugby, rugby football, rugger +n00471437 ball game, ballgame +n00471613 baseball, baseball game +n00474568 ball +n00474657 professional baseball +n00474769 hardball +n00474881 perfect game +n00475014 no-hit game, no-hitter +n00475142 one-hitter, 1-hitter +n00475273 two-hitter, 2-hitter +n00475403 three-hitter, 3-hitter +n00475535 four-hitter, 4-hitter +n00475661 five-hitter, 5-hitter +n00475787 softball, softball game +n00476140 rounders +n00476235 stickball, stickball game +n00476389 cricket +n00477392 lacrosse +n00477639 polo +n00477827 pushball +n00478262 soccer, association football +n00479076 court game +n00479440 handball +n00479616 racquetball +n00479734 fives +n00479887 squash, squash racquets, squash rackets +n00480211 volleyball, volleyball game +n00480366 jai alai, pelota +n00480508 badminton +n00480885 battledore, battledore and shuttlecock +n00480993 basketball, basketball game, hoops +n00481803 professional basketball +n00481938 deck tennis +n00482122 netball +n00482298 tennis, lawn tennis +n00483205 professional tennis +n00483313 singles +n00483409 singles +n00483508 doubles +n00483605 doubles +n00483705 royal tennis, real tennis, court tennis +n00483848 pallone +n00523513 sport, athletics +n00812526 clasp, clench, clutch, clutches, grasp, grip, hold +n00825773 judo +n00887544 team sport +n01035504 Last Supper, Lord's Supper +n01035667 Seder, Passover supper +n01055165 camping, encampment, bivouacking, tenting +n01314388 pest +n01314663 critter +n01314781 creepy-crawly +n01314910 darter +n01315213 peeper +n01315330 homeotherm, homoiotherm, homotherm +n01315581 poikilotherm, ectotherm +n01315805 range animal +n01316422 scavenger +n01316579 bottom-feeder, bottom-dweller +n01316734 bottom-feeder +n01316949 work animal +n01317089 beast of burden, jument +n01317294 draft animal +n01317391 pack animal, sumpter +n01317541 domestic animal, domesticated animal +n01317813 feeder +n01317916 feeder +n01318053 stocker +n01318279 hatchling +n01318381 head +n01318478 migrator +n01318660 molter, moulter +n01318894 pet +n01319001 stayer +n01319187 stunt +n01319467 marine animal, marine creature, sea animal, sea creature +n01319685 by-catch, bycatch +n01320872 female +n01321123 hen +n01321230 male +n01321456 adult +n01321579 young, offspring +n01321770 orphan +n01321854 young mammal +n01322221 baby +n01322343 pup, whelp +n01322508 wolf pup, wolf cub +n01322604 puppy +n01322685 cub, young carnivore +n01322898 lion cub +n01322983 bear cub +n01323068 tiger cub +n01323155 kit +n01323261 suckling +n01323355 sire +n01323493 dam +n01323599 thoroughbred, purebred, pureblood +n01323781 giant +n01324305 mutant +n01324431 carnivore +n01324610 herbivore +n01324799 insectivore +n01324916 acrodont +n01325060 pleurodont +n01326291 microorganism, micro-organism +n01327909 monohybrid +n01329186 arbovirus, arborvirus +n01330126 adenovirus +n01330497 arenavirus +n01332181 Marburg virus +n01333082 Arenaviridae +n01333483 vesiculovirus +n01333610 Reoviridae +n01334217 variola major, variola major virus +n01334690 viroid, virusoid +n01335218 coliphage +n01337191 paramyxovirus +n01337734 poliovirus +n01338685 herpes, herpes virus +n01339083 herpes simplex 1, HS1, HSV-1, HSV-I +n01339336 herpes zoster, herpes zoster virus +n01339471 herpes varicella zoster, herpes varicella zoster virus +n01339801 cytomegalovirus, CMV +n01340014 varicella zoster virus +n01340522 polyoma, polyoma virus +n01340785 lyssavirus +n01340935 reovirus +n01341090 rotavirus +n01342269 moneran, moneron +n01347583 archaebacteria, archaebacterium, archaeobacteria, archeobacteria +n01349735 bacteroid +n01350226 Bacillus anthracis, anthrax bacillus +n01350701 Yersinia pestis +n01351170 Brucella +n01351315 spirillum, spirilla +n01357328 botulinus, botulinum, Clostridium botulinum +n01357507 clostridium perfringens +n01358572 cyanobacteria, blue-green algae +n01359762 trichodesmium +n01362336 nitric bacteria, nitrobacteria +n01363719 spirillum +n01365474 Francisella, genus Francisella +n01365885 gonococcus, Neisseria gonorrhoeae +n01366700 Corynebacterium diphtheriae, C. diphtheriae, Klebs-Loeffler bacillus +n01367772 enteric bacteria, enterobacteria, enterics, entric +n01368672 klebsiella +n01369358 Salmonella typhimurium +n01369484 typhoid bacillus, Salmonella typhosa, Salmonella typhi +n01374703 nitrate bacterium, nitric bacterium +n01374846 nitrite bacterium, nitrous bacterium +n01375204 actinomycete +n01376237 streptomyces +n01376437 Streptomyces erythreus +n01376543 Streptomyces griseus +n01377278 tubercle bacillus, Mycobacterium tuberculosis +n01377510 pus-forming bacteria +n01377694 streptobacillus +n01378545 myxobacteria, myxobacterium, myxobacter, gliding bacteria, slime bacteria +n01379389 staphylococcus, staphylococci, staph +n01380610 diplococcus +n01380754 pneumococcus, Diplococcus pneumoniae +n01381044 streptococcus, streptococci, strep +n01382033 spirochete, spirochaete +n01384084 planktonic algae +n01384164 zooplankton +n01384687 parasite +n01385017 endoparasite, entoparasite, entozoan, entozoon, endozoan +n01385330 ectoparasite, ectozoan, ectozoon, epizoan, epizoon +n01386007 pathogen +n01386182 commensal +n01386354 myrmecophile +n01387065 protoctist +n01389507 protozoan, protozoon +n01390123 sarcodinian, sarcodine +n01390763 heliozoan +n01392275 endameba +n01392380 ameba, amoeba +n01393486 globigerina +n01394040 testacean +n01394492 arcella +n01394771 difflugia +n01395254 ciliate, ciliated protozoan, ciliophoran +n01396048 paramecium, paramecia +n01396617 stentor +n01397114 alga, algae +n01397690 arame +n01397871 seagrass +n01400247 golden algae +n01400391 yellow-green algae +n01402600 brown algae +n01403457 kelp +n01404365 fucoid, fucoid algae +n01404495 fucoid +n01405007 fucus +n01405616 bladderwrack, Ascophyllum nodosum +n01407798 green algae, chlorophyte +n01410457 pond scum +n01411450 chlorella +n01412694 stonewort +n01413457 desmid +n01414216 sea moss +n01415626 eukaryote, eucaryote +n01415920 prokaryote, procaryote +n01416213 zooid +n01418498 Leishmania, genus Leishmania +n01418620 zoomastigote, zooflagellate +n01419332 polymastigote +n01419573 costia, Costia necatrix +n01419888 giardia +n01421333 cryptomonad, cryptophyte +n01421807 sporozoan +n01422185 sporozoite +n01422335 trophozoite +n01422450 merozoite +n01423302 coccidium, eimeria +n01423617 gregarine +n01424420 plasmodium, Plasmodium vivax, malaria parasite +n01425223 leucocytozoan, leucocytozoon +n01427399 microsporidian +n01429172 Ostariophysi, order Ostariophysi +n01438208 cypriniform fish +n01438581 loach +n01439121 cyprinid, cyprinid fish +n01439514 carp +n01439808 domestic carp, Cyprinus carpio +n01440160 leather carp +n01440242 mirror carp +n01440467 European bream, Abramis brama +n01440764 tench, Tinca tinca +n01441117 dace, Leuciscus leuciscus +n01441272 chub, Leuciscus cephalus +n01441425 shiner +n01441910 common shiner, silversides, Notropis cornutus +n01442450 roach, Rutilus rutilus +n01442710 rudd, Scardinius erythrophthalmus +n01442972 minnow, Phoxinus phoxinus +n01443243 gudgeon, Gobio gobio +n01443537 goldfish, Carassius auratus +n01443831 crucian carp, Carassius carassius, Carassius vulgaris +n01444339 electric eel, Electrophorus electric +n01444783 catostomid +n01445429 buffalo fish, buffalofish +n01445593 black buffalo, Ictiobus niger +n01445857 hog sucker, hog molly, Hypentelium nigricans +n01446152 redhorse, redhorse sucker +n01446589 cyprinodont +n01446760 killifish +n01447139 mummichog, Fundulus heteroclitus +n01447331 striped killifish, mayfish, may fish, Fundulus majalis +n01447658 rivulus +n01447946 flagfish, American flagfish, Jordanella floridae +n01448291 swordtail, helleri, topminnow, Xyphophorus helleri +n01448594 guppy, rainbow fish, Lebistes reticulatus +n01448951 topminnow, poeciliid fish, poeciliid, live-bearer +n01449374 mosquitofish, Gambusia affinis +n01449712 platy, Platypoecilus maculatus +n01449980 mollie, molly +n01450661 squirrelfish +n01450950 reef squirrelfish, Holocentrus coruscus +n01451115 deepwater squirrelfish, Holocentrus bullisi +n01451295 Holocentrus ascensionis +n01451426 soldierfish, soldier-fish +n01451863 anomalops, flashlight fish +n01452345 flashlight fish, Photoblepharon palpebratus +n01453087 John Dory, Zeus faber +n01453475 boarfish, Capros aper +n01453742 boarfish +n01454545 cornetfish +n01454856 stickleback, prickleback +n01455317 three-spined stickleback, Gasterosteus aculeatus +n01455461 ten-spined stickleback, Gasterosteus pungitius +n01455778 pipefish, needlefish +n01456137 dwarf pipefish, Syngnathus hildebrandi +n01456454 deepwater pipefish, Cosmocampus profundus +n01456756 seahorse, sea horse +n01457082 snipefish, bellows fish +n01457407 shrimpfish, shrimp-fish +n01457852 trumpetfish, Aulostomus maculatus +n01458746 pellicle +n01458842 embryo, conceptus, fertilized egg +n01459791 fetus, foetus +n01460303 abortus +n01461315 spawn +n01461646 blastula, blastosphere +n01462042 blastocyst, blastodermic vessicle +n01462544 gastrula +n01462803 morula +n01464844 yolk, vitellus +n01466257 chordate +n01467336 cephalochordate +n01467804 lancelet, amphioxus +n01468238 tunicate, urochordate, urochord +n01468712 ascidian +n01469103 sea squirt +n01469723 salp, salpa +n01470145 doliolum +n01470479 larvacean +n01470733 appendicularia +n01470895 ascidian tadpole +n01471682 vertebrate, craniate +n01472303 Amniota +n01472502 amniote +n01473806 aquatic vertebrate +n01474283 jawless vertebrate, jawless fish, agnathan +n01474864 ostracoderm +n01475232 heterostracan +n01475940 anaspid +n01476418 conodont +n01477080 cyclostome +n01477525 lamprey, lamprey eel, lamper eel +n01477875 sea lamprey, Petromyzon marinus +n01478511 hagfish, hag, slime eels +n01478969 Myxine glutinosa +n01479213 eptatretus +n01479820 gnathostome +n01480106 placoderm +n01480516 cartilaginous fish, chondrichthian +n01480880 holocephalan, holocephalian +n01481331 chimaera +n01481498 rabbitfish, Chimaera monstrosa +n01482071 elasmobranch, selachian +n01482330 shark +n01483021 cow shark, six-gilled shark, Hexanchus griseus +n01483522 mackerel shark +n01483830 porbeagle, Lamna nasus +n01484097 mako, mako shark +n01484285 shortfin mako, Isurus oxyrhincus +n01484447 longfin mako, Isurus paucus +n01484562 bonito shark, blue pointed, Isurus glaucus +n01484850 great white shark, white shark, man-eater, man-eating shark, Carcharodon carcharias +n01485479 basking shark, Cetorhinus maximus +n01486010 thresher, thrasher, thresher shark, fox shark, Alopius vulpinus +n01486540 carpet shark, Orectolobus barbatus +n01486838 nurse shark, Ginglymostoma cirratum +n01487506 sand tiger, sand shark, Carcharias taurus, Odontaspis taurus +n01488038 whale shark, Rhincodon typus +n01488918 requiem shark +n01489501 bull shark, cub shark, Carcharhinus leucas +n01489709 sandbar shark, Carcharhinus plumbeus +n01489920 blacktip shark, sandbar shark, Carcharhinus limbatus +n01490112 whitetip shark, oceanic whitetip shark, white-tipped shark, Carcharinus longimanus +n01490360 dusky shark, Carcharhinus obscurus +n01490670 lemon shark, Negaprion brevirostris +n01491006 blue shark, great blue shark, Prionace glauca +n01491361 tiger shark, Galeocerdo cuvieri +n01491661 soupfin shark, soupfin, soup-fin, Galeorhinus zyopterus +n01491874 dogfish +n01492357 smooth dogfish +n01492569 smoothhound, smoothhound shark, Mustelus mustelus +n01492708 American smooth dogfish, Mustelus canis +n01492860 Florida smoothhound, Mustelus norrisi +n01493146 whitetip shark, reef whitetip shark, Triaenodon obseus +n01493541 spiny dogfish +n01493829 Atlantic spiny dogfish, Squalus acanthias +n01494041 Pacific spiny dogfish, Squalus suckleyi +n01494475 hammerhead, hammerhead shark +n01494757 smooth hammerhead, Sphyrna zygaena +n01494882 smalleye hammerhead, Sphyrna tudes +n01495006 shovelhead, bonnethead, bonnet shark, Sphyrna tiburo +n01495493 angel shark, angelfish, Squatina squatina, monkfish +n01495701 ray +n01496331 electric ray, crampfish, numbfish, torpedo +n01497118 sawfish +n01497413 smalltooth sawfish, Pristis pectinatus +n01497738 guitarfish +n01498041 stingray +n01498406 roughtail stingray, Dasyatis centroura +n01498699 butterfly ray +n01498989 eagle ray +n01499396 spotted eagle ray, spotted ray, Aetobatus narinari +n01499732 cownose ray, cow-nosed ray, Rhinoptera bonasus +n01500091 manta, manta ray, devilfish +n01500476 Atlantic manta, Manta birostris +n01500854 devil ray, Mobula hypostoma +n01501160 skate +n01501641 grey skate, gray skate, Raja batis +n01501777 little skate, Raja erinacea +n01501948 thorny skate, Raja radiata +n01502101 barndoor skate, Raja laevis +n01503061 bird +n01503976 dickeybird, dickey-bird, dickybird, dicky-bird +n01504179 fledgling, fledgeling +n01504344 nestling, baby bird +n01514668 cock +n01514752 gamecock, fighting cock +n01514859 hen +n01514926 nester +n01515078 night bird +n01515217 night raven +n01515303 bird of passage +n01516212 archaeopteryx, archeopteryx, Archaeopteryx lithographica +n01517389 archaeornis +n01517565 ratite, ratite bird, flightless bird +n01517966 carinate, carinate bird, flying bird +n01518878 ostrich, Struthio camelus +n01519563 cassowary +n01519873 emu, Dromaius novaehollandiae, Emu novaehollandiae +n01520576 kiwi, apteryx +n01521399 rhea, Rhea americana +n01521756 rhea, nandu, Pterocnemia pennata +n01522450 elephant bird, aepyornis +n01523105 moa +n01524359 passerine, passeriform bird +n01524761 nonpasserine bird +n01525720 oscine, oscine bird +n01526521 songbird, songster +n01526766 honey eater, honeysucker +n01527194 accentor +n01527347 hedge sparrow, sparrow, dunnock, Prunella modularis +n01527617 lark +n01527917 skylark, Alauda arvensis +n01528396 wagtail +n01528654 pipit, titlark, lark +n01528845 meadow pipit, Anthus pratensis +n01529672 finch +n01530439 chaffinch, Fringilla coelebs +n01530575 brambling, Fringilla montifringilla +n01531178 goldfinch, Carduelis carduelis +n01531344 linnet, lintwhite, Carduelis cannabina +n01531512 siskin, Carduelis spinus +n01531639 red siskin, Carduelis cucullata +n01531811 redpoll, Carduelis flammea +n01531971 redpoll, Carduelis hornemanni +n01532325 New World goldfinch, goldfinch, yellowbird, Spinus tristis +n01532511 pine siskin, pine finch, Spinus pinus +n01532829 house finch, linnet, Carpodacus mexicanus +n01533000 purple finch, Carpodacus purpureus +n01533339 canary, canary bird +n01533481 common canary, Serinus canaria +n01533651 serin +n01533893 crossbill, Loxia curvirostra +n01534155 bullfinch, Pyrrhula pyrrhula +n01534433 junco, snowbird +n01534582 dark-eyed junco, slate-colored junco, Junco hyemalis +n01534762 New World sparrow +n01535140 vesper sparrow, grass finch, Pooecetes gramineus +n01535469 white-throated sparrow, whitethroat, Zonotrichia albicollis +n01535690 white-crowned sparrow, Zonotrichia leucophrys +n01536035 chipping sparrow, Spizella passerina +n01536186 field sparrow, Spizella pusilla +n01536334 tree sparrow, Spizella arborea +n01536644 song sparrow, Melospiza melodia +n01536780 swamp sparrow, Melospiza georgiana +n01537134 bunting +n01537544 indigo bunting, indigo finch, indigo bird, Passerina cyanea +n01537895 ortolan, ortolan bunting, Emberiza hortulana +n01538059 reed bunting, Emberiza schoeniclus +n01538200 yellowhammer, yellow bunting, Emberiza citrinella +n01538362 yellow-breasted bunting, Emberiza aureola +n01538630 snow bunting, snowbird, snowflake, Plectrophenax nivalis +n01538955 honeycreeper +n01539272 banana quit +n01539573 sparrow, true sparrow +n01539925 English sparrow, house sparrow, Passer domesticus +n01540090 tree sparrow, Passer montanus +n01540233 grosbeak, grossbeak +n01540566 evening grosbeak, Hesperiphona vespertina +n01540832 hawfinch, Coccothraustes coccothraustes +n01541102 pine grosbeak, Pinicola enucleator +n01541386 cardinal, cardinal grosbeak, Richmondena Cardinalis, Cardinalis cardinalis, redbird +n01541760 pyrrhuloxia, Pyrrhuloxia sinuata +n01541922 towhee +n01542168 chewink, cheewink, Pipilo erythrophthalmus +n01542433 green-tailed towhee, Chlorura chlorura +n01542786 weaver, weaverbird, weaver finch +n01543175 baya, Ploceus philippinus +n01543383 whydah, whidah, widow bird +n01543632 Java sparrow, Java finch, ricebird, Padda oryzivora +n01543936 avadavat, amadavat +n01544208 grassfinch, grass finch +n01544389 zebra finch, Poephila castanotis +n01544704 honeycreeper, Hawaiian honeycreeper +n01545574 lyrebird +n01546039 scrubbird, scrub-bird, scrub bird +n01546506 broadbill +n01546921 tyrannid +n01547832 New World flycatcher, flycatcher, tyrant flycatcher, tyrant bird +n01548301 kingbird, Tyrannus tyrannus +n01548492 Arkansas kingbird, western kingbird +n01548694 Cassin's kingbird, Tyrannus vociferans +n01548865 eastern kingbird +n01549053 grey kingbird, gray kingbird, petchary, Tyrannus domenicensis domenicensis +n01549430 pewee, peewee, peewit, pewit, wood pewee, Contopus virens +n01549641 western wood pewee, Contopus sordidulus +n01549886 phoebe, phoebe bird, Sayornis phoebe +n01550172 vermillion flycatcher, firebird, Pyrocephalus rubinus mexicanus +n01550761 cotinga, chatterer +n01551080 cock of the rock, Rupicola rupicola +n01551300 cock of the rock, Rupicola peruviana +n01551711 manakin +n01552034 bellbird +n01552333 umbrella bird, Cephalopterus ornatus +n01552813 ovenbird +n01553142 antbird, ant bird +n01553527 ant thrush +n01553762 ant shrike +n01554017 spotted antbird, Hylophylax naevioides +n01554448 woodhewer, woodcreeper, wood-creeper, tree creeper +n01555004 pitta +n01555305 scissortail, scissortailed flycatcher, Muscivora-forficata +n01555809 Old World flycatcher, true flycatcher, flycatcher +n01556182 spotted flycatcher, Muscicapa striata, Muscicapa grisola +n01556514 thickhead, whistler +n01557185 thrush +n01557962 missel thrush, mistle thrush, mistletoe thrush, Turdus viscivorus +n01558149 song thrush, mavis, throstle, Turdus philomelos +n01558307 fieldfare, snowbird, Turdus pilaris +n01558461 redwing, Turdus iliacus +n01558594 blackbird, merl, merle, ouzel, ousel, European blackbird, Turdus merula +n01558765 ring ouzel, ring blackbird, ring thrush, Turdus torquatus +n01558993 robin, American robin, Turdus migratorius +n01559160 clay-colored robin, Turdus greyi +n01559477 hermit thrush, Hylocichla guttata +n01559639 veery, Wilson's thrush, Hylocichla fuscescens +n01559804 wood thrush, Hylocichla mustelina +n01560105 nightingale, Luscinia megarhynchos +n01560280 thrush nightingale, Luscinia luscinia +n01560419 bulbul +n01560636 Old World chat, chat +n01560793 stonechat, Saxicola torquata +n01560935 whinchat, Saxicola rubetra +n01561181 solitaire +n01561452 redstart, redtail +n01561732 wheatear +n01562014 bluebird +n01562265 robin, redbreast, robin redbreast, Old World robin, Erithacus rubecola +n01562451 bluethroat, Erithacus svecicus +n01563128 warbler +n01563449 gnatcatcher +n01563746 kinglet +n01563945 goldcrest, golden-crested kinglet, Regulus regulus +n01564101 gold-crowned kinglet, Regulus satrata +n01564217 ruby-crowned kinglet, ruby-crowned wren, Regulus calendula +n01564394 Old World warbler, true warbler +n01564773 blackcap, Silvia atricapilla +n01564914 greater whitethroat, whitethroat, Sylvia communis +n01565078 lesser whitethroat, whitethroat, Sylvia curruca +n01565345 wood warbler, Phylloscopus sibilatrix +n01565599 sedge warbler, sedge bird, sedge wren, reedbird, Acrocephalus schoenobaenus +n01565930 wren warbler +n01566207 tailorbird, Orthotomus sutorius +n01566645 babbler, cackler +n01567133 New World warbler, wood warbler +n01567678 parula warbler, northern parula, Parula americana +n01567879 Wilson's warbler, Wilson's blackcap, Wilsonia pusilla +n01568132 flycatching warbler +n01568294 American redstart, redstart, Setophaga ruticilla +n01568720 Cape May warbler, Dendroica tigrina +n01568892 yellow warbler, golden warbler, yellowbird, Dendroica petechia +n01569060 Blackburn, Blackburnian warbler, Dendroica fusca +n01569262 Audubon's warbler, Audubon warbler, Dendroica auduboni +n01569423 myrtle warbler, myrtle bird, Dendroica coronata +n01569566 blackpoll, Dendroica striate +n01569836 New World chat, chat +n01569971 yellow-breasted chat, Icteria virens +n01570267 ovenbird, Seiurus aurocapillus +n01570421 water thrush +n01570676 yellowthroat +n01570839 common yellowthroat, Maryland yellowthroat, Geothlypis trichas +n01571410 riflebird, Ptloris paradisea +n01571904 New World oriole, American oriole, oriole +n01572328 northern oriole, Icterus galbula +n01572489 Baltimore oriole, Baltimore bird, hangbird, firebird, Icterus galbula galbula +n01572654 Bullock's oriole, Icterus galbula bullockii +n01572782 orchard oriole, Icterus spurius +n01573074 meadowlark, lark +n01573240 eastern meadowlark, Sturnella magna +n01573360 western meadowlark, Sturnella neglecta +n01573627 cacique, cazique +n01573898 bobolink, ricebird, reedbird, Dolichonyx oryzivorus +n01574045 New World blackbird, blackbird +n01574390 grackle, crow blackbird +n01574560 purple grackle, Quiscalus quiscula +n01574801 rusty blackbird, rusty grackle, Euphagus carilonus +n01575117 cowbird +n01575401 red-winged blackbird, redwing, Agelaius phoeniceus +n01575745 Old World oriole, oriole +n01576076 golden oriole, Oriolus oriolus +n01576358 fig-bird +n01576695 starling +n01577035 common starling, Sturnus vulgaris +n01577458 rose-colored starling, rose-colored pastor, Pastor sturnus, Pastor roseus +n01577659 myna, mynah, mina, minah, myna bird, mynah bird +n01577941 crested myna, Acridotheres tristis +n01578180 hill myna, Indian grackle, grackle, Gracula religiosa +n01578575 corvine bird +n01579028 crow +n01579149 American crow, Corvus brachyrhyncos +n01579260 raven, Corvus corax +n01579410 rook, Corvus frugilegus +n01579578 jackdaw, daw, Corvus monedula +n01579729 chough +n01580077 jay +n01580379 Old World jay +n01580490 common European jay, Garullus garullus +n01580772 New World jay +n01580870 blue jay, jaybird, Cyanocitta cristata +n01581166 Canada jay, grey jay, gray jay, camp robber, whisker jack, Perisoreus canadensis +n01581434 Rocky Mountain jay, Perisoreus canadensis capitalis +n01581730 nutcracker +n01581874 common nutcracker, Nucifraga caryocatactes +n01581984 Clark's nutcracker, Nucifraga columbiana +n01582220 magpie +n01582398 European magpie, Pica pica +n01582498 American magpie, Pica pica hudsonia +n01582856 Australian magpie +n01583209 butcherbird +n01583495 currawong, bell magpie +n01583828 piping crow, piping crow-shrike, Gymnorhina tibicen +n01584225 wren, jenny wren +n01584695 winter wren, Troglodytes troglodytes +n01584853 house wren, Troglodytes aedon +n01585121 marsh wren +n01585287 long-billed marsh wren, Cistothorus palustris +n01585422 sedge wren, short-billed marsh wren, Cistothorus platensis +n01585715 rock wren, Salpinctes obsoletus +n01586020 Carolina wren, Thryothorus ludovicianus +n01586374 cactus wren +n01586941 mockingbird, mocker, Mimus polyglotktos +n01587278 blue mockingbird, Melanotis caerulescens +n01587526 catbird, grey catbird, gray catbird, Dumetella carolinensis +n01587834 thrasher, mocking thrush +n01588002 brown thrasher, brown thrush, Toxostoma rufums +n01588431 New Zealand wren +n01588725 rock wren, Xenicus gilviventris +n01588996 rifleman bird, Acanthisitta chloris +n01589286 creeper, tree creeper +n01589718 brown creeper, American creeper, Certhia americana +n01589893 European creeper, Certhia familiaris +n01590220 wall creeper, tichodrome, Tichodroma muriaria +n01591005 European nuthatch, Sitta europaea +n01591123 red-breasted nuthatch, Sitta canadensis +n01591301 white-breasted nuthatch, Sitta carolinensis +n01591697 titmouse, tit +n01592084 chickadee +n01592257 black-capped chickadee, blackcap, Parus atricapillus +n01592387 tufted titmouse, Parus bicolor +n01592540 Carolina chickadee, Parus carolinensis +n01592694 blue tit, tomtit, Parus caeruleus +n01593028 bushtit, bush tit +n01593282 wren-tit, Chamaea fasciata +n01593553 verdin, Auriparus flaviceps +n01594004 fairy bluebird, bluebird +n01594372 swallow +n01594787 barn swallow, chimney swallow, Hirundo rustica +n01594968 cliff swallow, Hirundo pyrrhonota +n01595168 tree swallow, tree martin, Hirundo nigricans +n01595450 white-bellied swallow, tree swallow, Iridoprocne bicolor +n01595624 martin +n01595974 house martin, Delichon urbica +n01596273 bank martin, bank swallow, sand martin, Riparia riparia +n01596608 purple martin, Progne subis +n01597022 wood swallow, swallow shrike +n01597336 tanager +n01597737 scarlet tanager, Piranga olivacea, redbird, firebird +n01597906 western tanager, Piranga ludoviciana +n01598074 summer tanager, summer redbird, Piranga rubra +n01598271 hepatic tanager, Piranga flava hepatica +n01598588 shrike +n01598988 butcherbird +n01599159 European shrike, Lanius excubitor +n01599269 northern shrike, Lanius borealis +n01599388 white-rumped shrike, Lanius ludovicianus excubitorides +n01599556 loggerhead shrike, Lanius lucovicianus +n01599741 migrant shrike, Lanius ludovicianus migrans +n01600085 bush shrike +n01600341 black-fronted bush shrike, Chlorophoneus nigrifrons +n01600657 bowerbird, catbird +n01601068 satin bowerbird, satin bird, Ptilonorhynchus violaceus +n01601410 great bowerbird, Chlamydera nuchalis +n01601694 water ouzel, dipper +n01602080 European water ouzel, Cinclus aquaticus +n01602209 American water ouzel, Cinclus mexicanus +n01602630 vireo +n01602832 red-eyed vireo, Vireo olivaceous +n01603000 solitary vireo, Vireo solitarius +n01603152 blue-headed vireo, Vireo solitarius solitarius +n01603600 waxwing +n01603812 cedar waxwing, cedarbird, Bombycilla cedrorun +n01603953 Bohemian waxwing, Bombycilla garrulus +n01604330 bird of prey, raptor, raptorial bird +n01604968 Accipitriformes, order Accipitriformes +n01605630 hawk +n01606097 eyas +n01606177 tiercel, tercel, tercelet +n01606522 goshawk, Accipiter gentilis +n01606672 sparrow hawk, Accipiter nisus +n01606809 Cooper's hawk, blue darter, Accipiter cooperii +n01606978 chicken hawk, hen hawk +n01607309 buteonine +n01607429 redtail, red-tailed hawk, Buteo jamaicensis +n01607600 rough-legged hawk, roughleg, Buteo lagopus +n01607812 red-shouldered hawk, Buteo lineatus +n01607962 buzzard, Buteo buteo +n01608265 honey buzzard, Pernis apivorus +n01608432 kite +n01608814 black kite, Milvus migrans +n01609062 swallow-tailed kite, swallow-tailed hawk, Elanoides forficatus +n01609391 white-tailed kite, Elanus leucurus +n01609751 harrier +n01609956 marsh harrier, Circus Aeruginosus +n01610100 Montagu's harrier, Circus pygargus +n01610226 marsh hawk, northern harrier, hen harrier, Circus cyaneus +n01610552 harrier eagle, short-toed eagle +n01610955 falcon +n01611472 peregrine, peregrine falcon, Falco peregrinus +n01611674 falcon-gentle, falcon-gentil +n01611800 gyrfalcon, gerfalcon, Falco rusticolus +n01611969 kestrel, Falco tinnunculus +n01612122 sparrow hawk, American kestrel, kestrel, Falco sparverius +n01612275 pigeon hawk, merlin, Falco columbarius +n01612476 hobby, Falco subbuteo +n01612628 caracara +n01612955 Audubon's caracara, Polyborus cheriway audubonii +n01613177 carancha, Polyborus plancus +n01613294 eagle, bird of Jove +n01613615 young bird +n01613807 eaglet +n01614038 harpy, harpy eagle, Harpia harpyja +n01614343 golden eagle, Aquila chrysaetos +n01614556 tawny eagle, Aquila rapax +n01614925 bald eagle, American eagle, Haliaeetus leucocephalus +n01615121 sea eagle +n01615303 Kamchatkan sea eagle, Stellar's sea eagle, Haliaeetus pelagicus +n01615458 ern, erne, grey sea eagle, gray sea eagle, European sea eagle, white-tailed sea eagle, Haliatus albicilla +n01615703 fishing eagle, Haliaeetus leucorhyphus +n01616086 osprey, fish hawk, fish eagle, sea eagle, Pandion haliaetus +n01616318 vulture +n01616551 Aegypiidae, family Aegypiidae +n01616764 Old World vulture +n01617095 griffon vulture, griffon, Gyps fulvus +n01617443 bearded vulture, lammergeier, lammergeyer, Gypaetus barbatus +n01617766 Egyptian vulture, Pharaoh's chicken, Neophron percnopterus +n01618082 black vulture, Aegypius monachus +n01618503 secretary bird, Sagittarius serpentarius +n01618922 New World vulture, cathartid +n01619310 buzzard, turkey buzzard, turkey vulture, Cathartes aura +n01619536 condor +n01619835 Andean condor, Vultur gryphus +n01620135 California condor, Gymnogyps californianus +n01620414 black vulture, carrion crow, Coragyps atratus +n01620735 king vulture, Sarcorhamphus papa +n01621127 owl, bird of Minerva, bird of night, hooter +n01621635 owlet +n01622120 little owl, Athene noctua +n01622352 horned owl +n01622483 great horned owl, Bubo virginianus +n01622779 great grey owl, great gray owl, Strix nebulosa +n01622959 tawny owl, Strix aluco +n01623110 barred owl, Strix varia +n01623425 screech owl, Otus asio +n01623615 screech owl +n01623706 scops owl +n01623880 spotted owl, Strix occidentalis +n01624115 Old World scops owl, Otus scops +n01624212 Oriental scops owl, Otus sunia +n01624305 hoot owl +n01624537 hawk owl, Surnia ulula +n01624833 long-eared owl, Asio otus +n01625121 laughing owl, laughing jackass, Sceloglaux albifacies +n01625562 barn owl, Tyto alba +n01627424 amphibian +n01628331 Ichyostega +n01628770 urodele, caudate +n01629276 salamander +n01629819 European fire salamander, Salamandra salamandra +n01629962 spotted salamander, fire salamander, Salamandra maculosa +n01630148 alpine salamander, Salamandra atra +n01630284 newt, triton +n01630670 common newt, Triturus vulgaris +n01630901 red eft, Notophthalmus viridescens +n01631175 Pacific newt +n01631354 rough-skinned newt, Taricha granulosa +n01631512 California newt, Taricha torosa +n01631663 eft +n01632047 ambystomid, ambystomid salamander +n01632308 mole salamander, Ambystoma talpoideum +n01632458 spotted salamander, Ambystoma maculatum +n01632601 tiger salamander, Ambystoma tigrinum +n01632777 axolotl, mud puppy, Ambystoma mexicanum +n01632952 waterdog +n01633406 hellbender, mud puppy, Cryptobranchus alleganiensis +n01633781 giant salamander, Megalobatrachus maximus +n01634227 olm, Proteus anguinus +n01634522 mud puppy, Necturus maculosus +n01635027 dicamptodon, dicamptodontid +n01635176 Pacific giant salamander, Dicamptodon ensatus +n01635480 olympic salamander, Rhyacotriton olympicus +n01636127 lungless salamander, plethodont +n01636352 eastern red-backed salamander, Plethodon cinereus +n01636510 western red-backed salamander, Plethodon vehiculum +n01636829 dusky salamander +n01637112 climbing salamander +n01637338 arboreal salamander, Aneides lugubris +n01637615 slender salamander, worm salamander +n01637932 web-toed salamander +n01638194 Shasta salamander, Hydromantes shastae +n01638329 limestone salamander, Hydromantes brunus +n01638722 amphiuma, congo snake, congo eel, blind eel +n01639187 siren +n01639765 frog, toad, toad frog, anuran, batrachian, salientian +n01640846 true frog, ranid +n01641206 wood-frog, wood frog, Rana sylvatica +n01641391 leopard frog, spring frog, Rana pipiens +n01641577 bullfrog, Rana catesbeiana +n01641739 green frog, spring frog, Rana clamitans +n01641930 cascades frog, Rana cascadae +n01642097 goliath frog, Rana goliath +n01642257 pickerel frog, Rana palustris +n01642391 tarahumara frog, Rana tarahumarae +n01642539 grass frog, Rana temporaria +n01642943 leptodactylid frog, leptodactylid +n01643255 robber frog +n01643507 barking frog, robber frog, Hylactophryne augusti +n01643896 crapaud, South American bullfrog, Leptodactylus pentadactylus +n01644373 tree frog, tree-frog +n01644900 tailed frog, bell toad, ribbed toad, tailed toad, Ascaphus trui +n01645466 Liopelma hamiltoni +n01645776 true toad +n01646292 bufo +n01646388 agua, agua toad, Bufo marinus +n01646555 European toad, Bufo bufo +n01646648 natterjack, Bufo calamita +n01646802 American toad, Bufo americanus +n01646902 Eurasian green toad, Bufo viridis +n01647033 American green toad, Bufo debilis +n01647180 Yosemite toad, Bufo canorus +n01647303 Texas toad, Bufo speciosus +n01647466 southwestern toad, Bufo microscaphus +n01647640 western toad, Bufo boreas +n01648139 obstetrical toad, midwife toad, Alytes obstetricans +n01648356 midwife toad, Alytes cisternasi +n01648620 fire-bellied toad, Bombina bombina +n01649170 spadefoot, spadefoot toad +n01649412 western spadefoot, Scaphiopus hammondii +n01649556 southern spadefoot, Scaphiopus multiplicatus +n01649726 plains spadefoot, Scaphiopus bombifrons +n01650167 tree toad, tree frog, tree-frog +n01650690 spring peeper, Hyla crucifer +n01650901 Pacific tree toad, Hyla regilla +n01651059 canyon treefrog, Hyla arenicolor +n01651285 chameleon tree frog +n01651487 cricket frog +n01651641 northern cricket frog, Acris crepitans +n01651778 eastern cricket frog, Acris gryllus +n01652026 chorus frog +n01652297 lowland burrowing treefrog, northern casque-headed frog, Pternohyla fodiens +n01653026 western narrow-mouthed toad, Gastrophryne olivacea +n01653223 eastern narrow-mouthed toad, Gastrophryne carolinensis +n01653509 sheep frog +n01653773 tongueless frog +n01654083 Surinam toad, Pipa pipa, Pipa americana +n01654637 African clawed frog, Xenopus laevis +n01654863 South American poison toad +n01655344 caecilian, blindworm +n01661091 reptile, reptilian +n01661592 anapsid, anapsid reptile +n01661818 diapsid, diapsid reptile +n01662060 Diapsida, subclass Diapsida +n01662622 chelonian, chelonian reptile +n01662784 turtle +n01663401 sea turtle, marine turtle +n01663782 green turtle, Chelonia mydas +n01664065 loggerhead, loggerhead turtle, Caretta caretta +n01664369 ridley +n01664492 Atlantic ridley, bastard ridley, bastard turtle, Lepidochelys kempii +n01664674 Pacific ridley, olive ridley, Lepidochelys olivacea +n01664990 hawksbill turtle, hawksbill, hawkbill, tortoiseshell turtle, Eretmochelys imbricata +n01665541 leatherback turtle, leatherback, leathery turtle, Dermochelys coriacea +n01665932 snapping turtle +n01666228 common snapping turtle, snapper, Chelydra serpentina +n01666585 alligator snapping turtle, alligator snapper, Macroclemys temmincki +n01667114 mud turtle +n01667432 musk turtle, stinkpot +n01667778 terrapin +n01668091 diamondback terrapin, Malaclemys centrata +n01668436 red-bellied terrapin, red-bellied turtle, redbelly, Pseudemys rubriventris +n01668665 slider, yellow-bellied terrapin, Pseudemys scripta +n01668892 cooter, river cooter, Pseudemys concinna +n01669191 box turtle, box tortoise +n01669372 Western box turtle, Terrapene ornata +n01669654 painted turtle, painted terrapin, painted tortoise, Chrysemys picta +n01670092 tortoise +n01670535 European tortoise, Testudo graeca +n01670802 giant tortoise +n01671125 gopher tortoise, gopher turtle, gopher, Gopherus polypemus +n01671479 desert tortoise, Gopherus agassizii +n01671705 Texas tortoise +n01672032 soft-shelled turtle, pancake turtle +n01672432 spiny softshell, Trionyx spiniferus +n01672611 smooth softshell, Trionyx muticus +n01673282 tuatara, Sphenodon punctatum +n01674216 saurian +n01674464 lizard +n01674990 gecko +n01675352 flying gecko, fringed gecko, Ptychozoon homalocephalum +n01675722 banded gecko +n01676755 iguanid, iguanid lizard +n01677366 common iguana, iguana, Iguana iguana +n01677747 marine iguana, Amblyrhynchus cristatus +n01678043 desert iguana, Dipsosaurus dorsalis +n01678343 chuckwalla, Sauromalus obesus +n01678657 zebra-tailed lizard, gridiron-tailed lizard, Callisaurus draconoides +n01679005 fringe-toed lizard, Uma notata +n01679307 earless lizard +n01679626 collared lizard +n01679962 leopard lizard +n01680264 spiny lizard +n01680478 fence lizard +n01680655 western fence lizard, swift, blue-belly, Sceloporus occidentalis +n01680813 eastern fence lizard, pine lizard, Sceloporus undulatus +n01680983 sagebrush lizard, Sceloporus graciosus +n01681328 side-blotched lizard, sand lizard, Uta stansburiana +n01681653 tree lizard, Urosaurus ornatus +n01681940 horned lizard, horned toad, horny frog +n01682172 Texas horned lizard, Phrynosoma cornutum +n01682435 basilisk +n01682714 American chameleon, anole, Anolis carolinensis +n01683201 worm lizard +n01683558 night lizard +n01684133 skink, scincid, scincid lizard +n01684578 western skink, Eumeces skiltonianus +n01684741 mountain skink, Eumeces callicephalus +n01685439 teiid lizard, teiid +n01685808 whiptail, whiptail lizard +n01686044 racerunner, race runner, six-lined racerunner, Cnemidophorus sexlineatus +n01686220 plateau striped whiptail, Cnemidophorus velox +n01686403 Chihuahuan spotted whiptail, Cnemidophorus exsanguis +n01686609 western whiptail, Cnemidophorus tigris +n01686808 checkered whiptail, Cnemidophorus tesselatus +n01687128 teju +n01687290 caiman lizard +n01687665 agamid, agamid lizard +n01687978 agama +n01688243 frilled lizard, Chlamydosaurus kingi +n01688961 moloch +n01689081 mountain devil, spiny lizard, Moloch horridus +n01689411 anguid lizard +n01689811 alligator lizard +n01690149 blindworm, slowworm, Anguis fragilis +n01690466 glass lizard, glass snake, joint snake +n01691217 legless lizard +n01691652 Lanthanotus borneensis +n01691951 venomous lizard +n01692333 Gila monster, Heloderma suspectum +n01692523 beaded lizard, Mexican beaded lizard, Heloderma horridum +n01692864 lacertid lizard, lacertid +n01693175 sand lizard, Lacerta agilis +n01693334 green lizard, Lacerta viridis +n01693783 chameleon, chamaeleon +n01694178 African chameleon, Chamaeleo chamaeleon +n01694311 horned chameleon, Chamaeleo oweni +n01694709 monitor, monitor lizard, varan +n01694955 African monitor, Varanus niloticus +n01695060 Komodo dragon, Komodo lizard, dragon lizard, giant lizard, Varanus komodoensis +n01696633 crocodilian reptile, crocodilian +n01697178 crocodile +n01697457 African crocodile, Nile crocodile, Crocodylus niloticus +n01697611 Asian crocodile, Crocodylus porosus +n01697749 Morlett's crocodile +n01697978 false gavial, Tomistoma schlegeli +n01698434 alligator, gator +n01698640 American alligator, Alligator mississipiensis +n01698782 Chinese alligator, Alligator sinensis +n01699040 caiman, cayman +n01699254 spectacled caiman, Caiman sclerops +n01699675 gavial, Gavialis gangeticus +n01701551 armored dinosaur +n01701859 stegosaur, stegosaurus, Stegosaur stenops +n01702256 ankylosaur, ankylosaurus +n01702479 Edmontonia +n01703011 bone-headed dinosaur +n01703161 pachycephalosaur, pachycephalosaurus +n01703569 ceratopsian, horned dinosaur +n01704103 protoceratops +n01704323 triceratops +n01704626 styracosaur, styracosaurus +n01705010 psittacosaur, psittacosaurus +n01705591 ornithopod, ornithopod dinosaur +n01705934 hadrosaur, hadrosaurus, duck-billed dinosaur +n01707294 trachodon, trachodont +n01708106 saurischian, saurischian dinosaur +n01708998 sauropod, sauropod dinosaur +n01709484 apatosaur, apatosaurus, brontosaur, brontosaurus, thunder lizard, Apatosaurus excelsus +n01709876 barosaur, barosaurus +n01710177 diplodocus +n01711160 argentinosaur +n01712008 theropod, theropod dinosaur, bird-footed dinosaur +n01712752 ceratosaur, ceratosaurus +n01713170 coelophysis +n01713764 tyrannosaur, tyrannosaurus, Tyrannosaurus rex +n01714231 allosaur, allosaurus +n01715888 ornithomimid +n01717016 maniraptor +n01717229 oviraptorid +n01717467 velociraptor +n01718096 deinonychus +n01718414 utahraptor, superslasher +n01719403 synapsid, synapsid reptile +n01721174 dicynodont +n01721898 pelycosaur +n01722670 dimetrodon +n01722998 pterosaur, flying reptile +n01723579 pterodactyl +n01724231 ichthyosaur +n01724840 ichthyosaurus +n01725086 stenopterygius, Stenopterygius quadrisicissus +n01725713 plesiosaur, plesiosaurus +n01726203 nothosaur +n01726692 snake, serpent, ophidian +n01727646 colubrid snake, colubrid +n01728266 hoop snake +n01728572 thunder snake, worm snake, Carphophis amoenus +n01728920 ringneck snake, ring-necked snake, ring snake +n01729322 hognose snake, puff adder, sand viper +n01729672 leaf-nosed snake +n01729977 green snake, grass snake +n01730185 smooth green snake, Opheodrys vernalis +n01730307 rough green snake, Opheodrys aestivus +n01730563 green snake +n01730812 racer +n01730960 blacksnake, black racer, Coluber constrictor +n01731137 blue racer, Coluber constrictor flaviventris +n01731277 horseshoe whipsnake, Coluber hippocrepis +n01731545 whip-snake, whip snake, whipsnake +n01731764 coachwhip, coachwhip snake, Masticophis flagellum +n01731941 California whipsnake, striped racer, Masticophis lateralis +n01732093 Sonoran whipsnake, Masticophis bilineatus +n01732244 rat snake +n01732614 corn snake, red rat snake, Elaphe guttata +n01732789 black rat snake, blacksnake, pilot blacksnake, mountain blacksnake, Elaphe obsoleta +n01732989 chicken snake +n01733214 Indian rat snake, Ptyas mucosus +n01733466 glossy snake, Arizona elegans +n01733757 bull snake, bull-snake +n01733957 gopher snake, Pituophis melanoleucus +n01734104 pine snake +n01734418 king snake, kingsnake +n01734637 common kingsnake, Lampropeltis getulus +n01734808 milk snake, house snake, milk adder, checkered adder, Lampropeltis triangulum +n01735189 garter snake, grass snake +n01735439 common garter snake, Thamnophis sirtalis +n01735577 ribbon snake, Thamnophis sauritus +n01735728 Western ribbon snake, Thamnophis proximus +n01736032 lined snake, Tropidoclonion lineatum +n01736375 ground snake, Sonora semiannulata +n01736796 eastern ground snake, Potamophis striatula, Haldea striatula +n01737021 water snake +n01737472 common water snake, banded water snake, Natrix sipedon, Nerodia sipedon +n01737728 water moccasin +n01737875 grass snake, ring snake, ringed snake, Natrix natrix +n01738065 viperine grass snake, Natrix maura +n01738306 red-bellied snake, Storeria occipitamaculata +n01738601 sand snake +n01738731 banded sand snake, Chilomeniscus cinctus +n01739094 black-headed snake +n01739381 vine snake +n01739647 lyre snake +n01739871 Sonoran lyre snake, Trimorphodon lambda +n01740131 night snake, Hypsiglena torquata +n01740551 blind snake, worm snake +n01740885 western blind snake, Leptotyphlops humilis +n01741232 indigo snake, gopher snake, Drymarchon corais +n01741442 eastern indigo snake, Drymarchon corais couperi +n01741562 constrictor +n01741943 boa +n01742172 boa constrictor, Constrictor constrictor +n01742447 rubber boa, tow-headed snake, Charina bottae +n01742821 rosy boa, Lichanura trivirgata +n01743086 anaconda, Eunectes murinus +n01743605 python +n01743936 carpet snake, Python variegatus, Morelia spilotes variegatus +n01744100 reticulated python, Python reticulatus +n01744270 Indian python, Python molurus +n01744401 rock python, rock snake, Python sebae +n01744555 amethystine python +n01745125 elapid, elapid snake +n01745484 coral snake, harlequin-snake, New World coral snake +n01745902 eastern coral snake, Micrurus fulvius +n01746191 western coral snake, Micruroides euryxanthus +n01746359 coral snake, Old World coral snake +n01746952 African coral snake, Aspidelaps lubricus +n01747285 Australian coral snake, Rhynchoelaps australis +n01747589 copperhead, Denisonia superba +n01747885 cobra +n01748264 Indian cobra, Naja naja +n01748389 asp, Egyptian cobra, Naja haje +n01748686 black-necked cobra, spitting cobra, Naja nigricollis +n01748906 hamadryad, king cobra, Ophiophagus hannah, Naja hannah +n01749244 ringhals, rinkhals, spitting snake, Hemachatus haemachatus +n01749582 mamba +n01749742 black mamba, Dendroaspis augusticeps +n01749939 green mamba +n01750167 death adder, Acanthophis antarcticus +n01750437 tiger snake, Notechis scutatus +n01750743 Australian blacksnake, Pseudechis porphyriacus +n01751036 krait +n01751215 banded krait, banded adder, Bungarus fasciatus +n01751472 taipan, Oxyuranus scutellatus +n01751748 sea snake +n01752165 viper +n01752585 adder, common viper, Vipera berus +n01752736 asp, asp viper, Vipera aspis +n01753032 puff adder, Bitis arietans +n01753180 gaboon viper, Bitis gabonica +n01753488 horned viper, cerastes, sand viper, horned asp, Cerastes cornutus +n01753959 pit viper +n01754370 copperhead, Agkistrodon contortrix +n01754533 water moccasin, cottonmouth, cottonmouth moccasin, Agkistrodon piscivorus +n01754876 rattlesnake, rattler +n01755581 diamondback, diamondback rattlesnake, Crotalus adamanteus +n01755740 timber rattlesnake, banded rattlesnake, Crotalus horridus horridus +n01755952 canebrake rattlesnake, canebrake rattler, Crotalus horridus atricaudatus +n01756089 prairie rattlesnake, prairie rattler, Western rattlesnake, Crotalus viridis +n01756291 sidewinder, horned rattlesnake, Crotalus cerastes +n01756508 Western diamondback, Western diamondback rattlesnake, Crotalus atrox +n01756733 rock rattlesnake, Crotalus lepidus +n01756916 tiger rattlesnake, Crotalus tigris +n01757115 Mojave rattlesnake, Crotalus scutulatus +n01757343 speckled rattlesnake, Crotalus mitchellii +n01757677 massasauga, massasauga rattler, Sistrurus catenatus +n01757901 ground rattler, massasauga, Sistrurus miliaris +n01758141 fer-de-lance, Bothrops atrops +n01758757 carcase, carcass +n01758895 carrion +n01767661 arthropod +n01768244 trilobite +n01769347 arachnid, arachnoid +n01770081 harvestman, daddy longlegs, Phalangium opilio +n01770393 scorpion +n01770795 false scorpion, pseudoscorpion +n01771100 book scorpion, Chelifer cancroides +n01771417 whip-scorpion, whip scorpion +n01771766 vinegarroon, Mastigoproctus giganteus +n01772222 spider +n01772664 orb-weaving spider +n01773157 black and gold garden spider, Argiope aurantia +n01773549 barn spider, Araneus cavaticus +n01773797 garden spider, Aranea diademata +n01774097 comb-footed spider, theridiid +n01774384 black widow, Latrodectus mactans +n01774750 tarantula +n01775062 wolf spider, hunting spider +n01775370 European wolf spider, tarantula, Lycosa tarentula +n01775730 trap-door spider +n01776192 acarine +n01776313 tick +n01776705 hard tick, ixodid +n01777304 Ixodes dammini, deer tick +n01777467 Ixodes neotomae +n01777649 Ixodes pacificus, western black-legged tick +n01777909 Ixodes scapularis, black-legged tick +n01778217 sheep-tick, sheep tick, Ixodes ricinus +n01778487 Ixodes persulcatus +n01778621 Ixodes dentatus +n01778801 Ixodes spinipalpis +n01779148 wood tick, American dog tick, Dermacentor variabilis +n01779463 soft tick, argasid +n01779629 mite +n01779939 web-spinning mite +n01780142 acarid +n01780426 trombidiid +n01780696 trombiculid +n01781071 harvest mite, chigger, jigger, redbug +n01781570 acarus, genus Acarus +n01781698 itch mite, sarcoptid +n01781875 rust mite +n01782209 spider mite, tetranychid +n01782516 red spider, red spider mite, Panonychus ulmi +n01783017 myriapod +n01783706 garden centipede, garden symphilid, symphilid, Scutigerella immaculata +n01784293 tardigrade +n01784675 centipede +n01785667 house centipede, Scutigera coleoptrata +n01786646 millipede, millepede, milliped +n01787006 sea spider, pycnogonid +n01787191 Merostomata, class Merostomata +n01787835 horseshoe crab, king crab, Limulus polyphemus, Xiphosurus polyphemus +n01788291 Asian horseshoe crab +n01788579 eurypterid +n01788864 tongue worm, pentastomid +n01789386 gallinaceous bird, gallinacean +n01789740 domestic fowl, fowl, poultry +n01790171 Dorking +n01790304 Plymouth Rock +n01790398 Cornish, Cornish fowl +n01790557 Rock Cornish +n01790711 game fowl +n01790812 cochin, cochin china +n01791107 jungle fowl, gallina +n01791314 jungle cock +n01791388 jungle hen +n01791463 red jungle fowl, Gallus gallus +n01791625 chicken, Gallus gallus +n01791954 bantam +n01792042 chick, biddy +n01792158 cock, rooster +n01792429 cockerel +n01792530 capon +n01792640 hen, biddy +n01792808 cackler +n01792955 brood hen, broody, broody hen, setting hen, sitter +n01793085 mother hen +n01793159 layer +n01793249 pullet +n01793340 spring chicken +n01793435 Rhode Island red +n01793565 Dominique, Dominick +n01793715 Orpington +n01794158 turkey, Meleagris gallopavo +n01794344 turkey cock, gobbler, tom, tom turkey +n01794651 ocellated turkey, Agriocharis ocellata +n01795088 grouse +n01795545 black grouse +n01795735 European black grouse, heathfowl, Lyrurus tetrix +n01795900 Asian black grouse, Lyrurus mlokosiewiczi +n01796019 blackcock, black cock +n01796105 greyhen, grayhen, grey hen, gray hen, heath hen +n01796340 ptarmigan +n01796519 red grouse, moorfowl, moorbird, moor-bird, moorgame, Lagopus scoticus +n01796729 moorhen +n01797020 capercaillie, capercailzie, horse of the wood, Tetrao urogallus +n01797307 spruce grouse, Canachites canadensis +n01797601 sage grouse, sage hen, Centrocercus urophasianus +n01797886 ruffed grouse, partridge, Bonasa umbellus +n01798168 sharp-tailed grouse, sprigtail, sprig tail, Pedioecetes phasianellus +n01798484 prairie chicken, prairie grouse, prairie fowl +n01798706 greater prairie chicken, Tympanuchus cupido +n01798839 lesser prairie chicken, Tympanuchus pallidicinctus +n01798979 heath hen, Tympanuchus cupido cupido +n01799302 guan +n01799679 curassow +n01800195 piping guan +n01800424 chachalaca +n01800633 Texas chachalaca, Ortilis vetula macalli +n01801088 megapode, mound bird, mound-bird, mound builder, scrub fowl +n01801479 mallee fowl, leipoa, lowan, Leipoa ocellata +n01801672 mallee hen +n01801876 brush turkey, Alectura lathami +n01802159 maleo, Macrocephalon maleo +n01802721 phasianid +n01803078 pheasant +n01803362 ring-necked pheasant, Phasianus colchicus +n01803641 afropavo, Congo peafowl, Afropavo congensis +n01803893 argus, argus pheasant +n01804163 golden pheasant, Chrysolophus pictus +n01804478 bobwhite, bobwhite quail, partridge +n01804653 northern bobwhite, Colinus virginianus +n01804921 Old World quail +n01805070 migratory quail, Coturnix coturnix, Coturnix communis +n01805321 monal, monaul +n01805801 peafowl, bird of Juno +n01806061 peachick, pea-chick +n01806143 peacock +n01806297 peahen +n01806364 blue peafowl, Pavo cristatus +n01806467 green peafowl, Pavo muticus +n01806567 quail +n01806847 California quail, Lofortyx californicus +n01807105 tragopan +n01807496 partridge +n01807828 Hungarian partridge, grey partridge, gray partridge, Perdix perdix +n01808140 red-legged partridge, Alectoris ruffa +n01808291 Greek partridge, rock partridge, Alectoris graeca +n01808596 mountain quail, mountain partridge, Oreortyx picta palmeri +n01809106 guinea fowl, guinea, Numida meleagris +n01809371 guinea hen +n01809752 hoatzin, hoactzin, stinkbird, Opisthocomus hoazin +n01810268 tinamou, partridge +n01810700 columbiform bird +n01811243 dodo, Raphus cucullatus +n01811909 pigeon +n01812187 pouter pigeon, pouter +n01812337 dove +n01812662 rock dove, rock pigeon, Columba livia +n01812866 band-tailed pigeon, band-tail pigeon, bandtail, Columba fasciata +n01813088 wood pigeon, ringdove, cushat, Columba palumbus +n01813385 turtledove +n01813532 Streptopelia turtur +n01813658 ringdove, Streptopelia risoria +n01813948 Australian turtledove, turtledove, Stictopelia cuneata +n01814217 mourning dove, Zenaidura macroura +n01814370 domestic pigeon +n01814549 squab +n01814620 fairy swallow +n01814755 roller, tumbler, tumbler pigeon +n01814921 homing pigeon, homer +n01815036 carrier pigeon +n01815270 passenger pigeon, Ectopistes migratorius +n01815601 sandgrouse, sand grouse +n01816017 painted sandgrouse, Pterocles indicus +n01816140 pin-tailed sandgrouse, pin-tailed grouse, Pterocles alchata +n01816474 pallas's sandgrouse, Syrrhaptes paradoxus +n01816887 parrot +n01817263 popinjay +n01817346 poll, poll parrot +n01817953 African grey, African gray, Psittacus erithacus +n01818299 amazon +n01818515 macaw +n01818832 kea, Nestor notabilis +n01819115 cockatoo +n01819313 sulphur-crested cockatoo, Kakatoe galerita, Cacatua galerita +n01819465 pink cockatoo, Kakatoe leadbeateri +n01819734 cockateel, cockatiel, cockatoo parrot, Nymphicus hollandicus +n01820052 lovebird +n01820348 lory +n01820546 lorikeet +n01820801 varied Lorikeet, Glossopsitta versicolor +n01821076 rainbow lorikeet, Trichoglossus moluccanus +n01821203 parakeet, parrakeet, parroket, paraquet, paroquet, parroquet +n01821554 Carolina parakeet, Conuropsis carolinensis +n01821869 budgerigar, budgereegah, budgerygah, budgie, grass parakeet, lovebird, shell parakeet, Melopsittacus undulatus +n01822300 ring-necked parakeet, Psittacula krameri +n01822602 cuculiform bird +n01823013 cuckoo +n01823414 European cuckoo, Cuculus canorus +n01823740 black-billed cuckoo, Coccyzus erythropthalmus +n01824035 roadrunner, chaparral cock, Geococcyx californianus +n01824344 ani +n01824575 coucal +n01824749 crow pheasant, Centropus sinensis +n01825278 touraco, turaco, turacou, turakoo +n01825930 coraciiform bird +n01826364 roller +n01826680 European roller, Coracias garrulus +n01826844 ground roller +n01827403 kingfisher +n01827793 Eurasian kingfisher, Alcedo atthis +n01828096 belted kingfisher, Ceryle alcyon +n01828556 kookaburra, laughing jackass, Dacelo gigas +n01828970 bee eater +n01829413 hornbill +n01829869 hoopoe, hoopoo +n01830042 Euopean hoopoe, Upupa epops +n01830479 wood hoopoe +n01830915 motmot, momot +n01831360 tody +n01831712 apodiform bird +n01832167 swift +n01832493 European swift, Apus apus +n01832813 chimney swift, chimney swallow, Chateura pelagica +n01833112 swiftlet, Collocalia inexpectata +n01833415 tree swift, crested swift +n01833805 hummingbird +n01834177 Archilochus colubris +n01834540 thornbill +n01835276 goatsucker, nightjar, caprimulgid +n01835769 European goatsucker, European nightjar, Caprimulgus europaeus +n01835918 chuck-will's-widow, Caprimulgus carolinensis +n01836087 whippoorwill, Caprimulgus vociferus +n01836673 poorwill, Phalaenoptilus nuttallii +n01837072 frogmouth +n01837526 oilbird, guacharo, Steatornis caripensis +n01838038 piciform bird +n01838598 woodpecker, peckerwood, pecker +n01839086 green woodpecker, Picus viridis +n01839330 downy woodpecker +n01839598 flicker +n01839750 yellow-shafted flicker, Colaptes auratus, yellowhammer +n01839949 gilded flicker, Colaptes chrysoides +n01840120 red-shafted flicker, Colaptes caper collaris +n01840412 ivorybill, ivory-billed woodpecker, Campephilus principalis +n01840775 redheaded woodpecker, redhead, Melanerpes erythrocephalus +n01841102 sapsucker +n01841288 yellow-bellied sapsucker, Sphyrapicus varius +n01841441 red-breasted sapsucker, Sphyrapicus varius ruber +n01841679 wryneck +n01841943 piculet +n01842235 barbet +n01842504 puffbird +n01842788 honey guide +n01843065 jacamar +n01843383 toucan +n01843719 toucanet +n01844231 trogon +n01844551 quetzal, quetzal bird +n01844746 resplendent quetzel, resplendent trogon, Pharomacrus mocino +n01844917 aquatic bird +n01845132 waterfowl, water bird, waterbird +n01845477 anseriform bird +n01846331 duck +n01847000 drake +n01847089 quack-quack +n01847170 duckling +n01847253 diving duck +n01847407 dabbling duck, dabbler +n01847806 mallard, Anas platyrhynchos +n01847978 black duck, Anas rubripes +n01848123 teal +n01848323 greenwing, green-winged teal, Anas crecca +n01848453 bluewing, blue-winged teal, Anas discors +n01848555 garganey, Anas querquedula +n01848648 widgeon, wigeon, Anas penelope +n01848840 American widgeon, baldpate, Anas americana +n01848976 shoveler, shoveller, broadbill, Anas clypeata +n01849157 pintail, pin-tailed duck, Anas acuta +n01849466 sheldrake +n01849676 shelduck +n01849863 ruddy duck, Oxyura jamaicensis +n01850192 bufflehead, butterball, dipper, Bucephela albeola +n01850373 goldeneye, whistler, Bucephela clangula +n01850553 Barrow's goldeneye, Bucephala islandica +n01850873 canvasback, canvasback duck, Aythya valisineria +n01851038 pochard, Aythya ferina +n01851207 redhead, Aythya americana +n01851375 scaup, scaup duck, bluebill, broadbill +n01851573 greater scaup, Aythya marila +n01851731 lesser scaup, lesser scaup duck, lake duck, Aythya affinis +n01851895 wild duck +n01852142 wood duck, summer duck, wood widgeon, Aix sponsa +n01852329 wood drake +n01852400 mandarin duck, Aix galericulata +n01852671 muscovy duck, musk duck, Cairina moschata +n01852861 sea duck +n01853195 eider, eider duck +n01853498 scoter, scooter +n01853666 common scoter, Melanitta nigra +n01853870 old squaw, oldwife, Clangula hyemalis +n01854415 merganser, fish duck, sawbill, sheldrake +n01854700 goosander, Mergus merganser +n01854838 American merganser, Mergus merganser americanus +n01855032 red-breasted merganser, Mergus serrator +n01855188 smew, Mergus albellus +n01855476 hooded merganser, hooded sheldrake, Lophodytes cucullatus +n01855672 goose +n01856072 gosling +n01856155 gander +n01856380 Chinese goose, Anser cygnoides +n01856553 greylag, graylag, greylag goose, graylag goose, Anser anser +n01856890 blue goose, Chen caerulescens +n01857079 snow goose +n01857325 brant, brant goose, brent, brent goose +n01857512 common brant goose, Branta bernicla +n01857632 honker, Canada goose, Canadian goose, Branta canadensis +n01857851 barnacle goose, barnacle, Branta leucopsis +n01858281 coscoroba +n01858441 swan +n01858780 cob +n01858845 pen +n01858906 cygnet +n01859190 mute swan, Cygnus olor +n01859325 whooper, whooper swan, Cygnus cygnus +n01859496 tundra swan, Cygnus columbianus +n01859689 whistling swan, Cygnus columbianus columbianus +n01859852 Bewick's swan, Cygnus columbianus bewickii +n01860002 trumpeter, trumpeter swan, Cygnus buccinator +n01860187 black swan, Cygnus atratus +n01860497 screamer +n01860864 horned screamer, Anhima cornuta +n01861148 crested screamer +n01861330 chaja, Chauna torquata +n01861778 mammal, mammalian +n01862399 female mammal +n01871265 tusker +n01871543 prototherian +n01871875 monotreme, egg-laying mammal +n01872401 echidna, spiny anteater, anteater +n01872772 echidna, spiny anteater, anteater +n01873310 platypus, duckbill, duckbilled platypus, duck-billed platypus, Ornithorhynchus anatinus +n01874434 marsupial, pouched mammal +n01874928 opossum, possum +n01875313 common opossum, Didelphis virginiana, Didelphis marsupialis +n01875610 crab-eating opossum +n01876034 opossum rat +n01876326 bandicoot +n01876667 rabbit-eared bandicoot, rabbit bandicoot, bilby, Macrotis lagotis +n01877134 kangaroo +n01877606 giant kangaroo, great grey kangaroo, Macropus giganteus +n01877812 wallaby, brush kangaroo +n01878061 common wallaby, Macropus agiles +n01878335 hare wallaby, kangaroo hare +n01878639 nail-tailed wallaby, nail-tailed kangaroo +n01878929 rock wallaby, rock kangaroo +n01879217 pademelon, paddymelon +n01879509 tree wallaby, tree kangaroo +n01879837 musk kangaroo, Hypsiprymnodon moschatus +n01880152 rat kangaroo, kangaroo rat +n01880473 potoroo +n01880716 bettong +n01880813 jerboa kangaroo, kangaroo jerboa +n01881171 phalanger, opossum, possum +n01881564 cuscus +n01881857 brush-tailed phalanger, Trichosurus vulpecula +n01882125 flying phalanger, flying opossum, flying squirrel +n01882714 koala, koala bear, kangaroo bear, native bear, Phascolarctos cinereus +n01883070 wombat +n01883513 dasyurid marsupial, dasyurid +n01883920 dasyure +n01884104 eastern dasyure, Dasyurus quoll +n01884203 native cat, Dasyurus viverrinus +n01884476 thylacine, Tasmanian wolf, Tasmanian tiger, Thylacinus cynocephalus +n01884834 Tasmanian devil, ursine dasyure, Sarcophilus hariisi +n01885158 pouched mouse, marsupial mouse, marsupial rat +n01885498 numbat, banded anteater, anteater, Myrmecobius fasciatus +n01886045 pouched mole, marsupial mole, Notoryctus typhlops +n01886756 placental, placental mammal, eutherian, eutherian mammal +n01887474 livestock, stock, farm animal +n01887623 bull +n01887787 cow +n01887896 calf +n01888045 calf +n01888181 yearling +n01888264 buck +n01888411 doe +n01889074 insectivore +n01889520 mole +n01889849 starnose mole, star-nosed mole, Condylura cristata +n01890144 brewer's mole, hair-tailed mole, Parascalops breweri +n01890564 golden mole +n01890860 shrew mole +n01891013 Asiatic shrew mole, Uropsilus soricipes +n01891274 American shrew mole, Neurotrichus gibbsii +n01891633 shrew, shrewmouse +n01892030 common shrew, Sorex araneus +n01892145 masked shrew, Sorex cinereus +n01892385 short-tailed shrew, Blarina brevicauda +n01892551 water shrew +n01892744 American water shrew, Sorex palustris +n01893021 European water shrew, Neomys fodiens +n01893164 Mediterranean water shrew, Neomys anomalus +n01893399 least shrew, Cryptotis parva +n01893825 hedgehog, Erinaceus europaeus, Erinaceus europeaeus +n01894207 tenrec, tendrac +n01894522 tailless tenrec, Tenrec ecaudatus +n01894956 otter shrew, potamogale, Potamogale velox +n01896844 eiderdown +n01897257 aftershaft +n01897426 sickle feather +n01897536 contour feather +n01897667 bastard wing, alula, spurious wing +n01898593 saddle hackle, saddle feather +n01899894 encolure +n01900150 hair +n01903234 squama +n01903346 scute +n01903498 sclerite +n01904029 plastron +n01904806 scallop shell +n01904886 oyster shell +n01905321 theca +n01905661 invertebrate +n01906749 sponge, poriferan, parazoan +n01907287 choanocyte, collar cell +n01907738 glass sponge +n01908042 Venus's flower basket +n01908958 metazoan +n01909422 coelenterate, cnidarian +n01909788 planula +n01909906 polyp +n01910252 medusa, medusoid, medusan +n01910747 jellyfish +n01911063 scyphozoan +n01911403 Chrysaora quinquecirrha +n01911839 hydrozoan, hydroid +n01912152 hydra +n01912454 siphonophore +n01912809 nanomia +n01913166 Portuguese man-of-war, man-of-war, jellyfish +n01913346 praya +n01913440 apolemia +n01914163 anthozoan, actinozoan +n01914609 sea anemone, anemone +n01914830 actinia, actinian, actiniarian +n01915700 sea pen +n01915811 coral +n01916187 gorgonian, gorgonian coral +n01916388 sea feather +n01916481 sea fan +n01916588 red coral +n01916925 stony coral, madrepore, madriporian coral +n01917289 brain coral +n01917611 staghorn coral, stag's-horn coral +n01917882 mushroom coral +n01918744 ctenophore, comb jelly +n01919385 beroe +n01920051 platyctenean +n01920438 sea gooseberry +n01921059 Venus's girdle, Cestum veneris +n01922303 worm +n01922717 helminth, parasitic worm +n01922948 woodworm +n01923025 woodborer, borer +n01923404 acanthocephalan, spiny-headed worm +n01923890 arrowworm, chaetognath +n01924800 bladder worm +n01924916 flatworm, platyhelminth +n01925270 planarian, planaria +n01925695 fluke, trematode, trematode worm +n01925916 cercaria +n01926379 liver fluke, Fasciola hepatica +n01926689 Fasciolopsis buski +n01927159 schistosome, blood fluke +n01927456 tapeworm, cestode +n01927928 echinococcus +n01928215 taenia +n01928517 ribbon worm, nemertean, nemertine, proboscis worm +n01928865 beard worm, pogonophoran +n01929186 rotifer +n01930112 nematode, nematode worm, roundworm +n01930852 common roundworm, Ascaris lumbricoides +n01931140 chicken roundworm, Ascaridia galli +n01931520 pinworm, threadworm, Enterobius vermicularis +n01931714 eelworm +n01932151 vinegar eel, vinegar worm, Anguillula aceti, Turbatrix aceti +n01932936 trichina, Trichinella spiralis +n01933151 hookworm +n01933478 filaria +n01933988 Guinea worm, Dracunculus medinensis +n01934440 annelid, annelid worm, segmented worm +n01934844 archiannelid +n01935176 oligochaete, oligochaete worm +n01935395 earthworm, angleworm, fishworm, fishing worm, wiggler, nightwalker, nightcrawler, crawler, dew worm, red worm +n01936391 polychaete, polychete, polychaete worm, polychete worm +n01936671 lugworm, lug, lobworm +n01936858 sea mouse +n01937579 bloodworm +n01937909 leech, bloodsucker, hirudinean +n01938454 medicinal leech, Hirudo medicinalis +n01938735 horseleech +n01940736 mollusk, mollusc, shellfish +n01941223 scaphopod +n01941340 tooth shell, tusk shell +n01942177 gastropod, univalve +n01942869 abalone, ear-shell +n01943087 ormer, sea-ear, Haliotis tuberculata +n01943541 scorpion shell +n01943899 conch +n01944118 giant conch, Strombus gigas +n01944390 snail +n01944812 edible snail, Helix pomatia +n01944955 garden snail +n01945143 brown snail, Helix aspersa +n01945340 Helix hortensis +n01945685 slug +n01945845 seasnail +n01946277 neritid, neritid gastropod +n01946630 nerita +n01946827 bleeding tooth, Nerita peloronta +n01947139 neritina +n01947396 whelk +n01947997 moon shell, moonshell +n01948446 periwinkle, winkle +n01948573 limpet +n01949085 common limpet, Patella vulgata +n01949499 keyhole limpet, Fissurella apertura, Diodora apertura +n01949973 river limpet, freshwater limpet, Ancylus fluviatilis +n01950731 sea slug, nudibranch +n01951274 sea hare, Aplysia punctata +n01951613 Hermissenda crassicornis +n01952029 bubble shell +n01952712 physa +n01953361 cowrie, cowry +n01953594 money cowrie, Cypraea moneta +n01953762 tiger cowrie, Cypraea tigris +n01954516 solenogaster, aplacophoran +n01955084 chiton, coat-of-mail shell, sea cradle, polyplacophore +n01955933 bivalve, pelecypod, lamellibranch +n01956344 spat +n01956481 clam +n01956764 seashell +n01957335 soft-shell clam, steamer, steamer clam, long-neck clam, Mya arenaria +n01958038 quahog, quahaug, hard-shell clam, hard clam, round clam, Venus mercenaria, Mercenaria mercenaria +n01958346 littleneck, littleneck clam +n01958435 cherrystone, cherrystone clam +n01958531 geoduck +n01959029 razor clam, jackknife clam, knife-handle +n01959492 giant clam, Tridacna gigas +n01959985 cockle +n01960177 edible cockle, Cardium edule +n01960459 oyster +n01961234 Japanese oyster, Ostrea gigas +n01961600 Virginia oyster +n01961985 pearl oyster, Pinctada margaritifera +n01962506 saddle oyster, Anomia ephippium +n01962788 window oyster, windowpane oyster, capiz, Placuna placenta +n01963317 ark shell +n01963479 blood clam +n01963571 mussel +n01964049 marine mussel, mytilid +n01964271 edible mussel, Mytilus edulis +n01964441 freshwater mussel, freshwater clam +n01964957 pearly-shelled mussel +n01965252 thin-shelled mussel +n01965529 zebra mussel, Dreissena polymorpha +n01965889 scallop, scollop, escallop +n01966377 bay scallop, Pecten irradians +n01966586 sea scallop, giant scallop, Pecten magellanicus +n01967094 shipworm, teredinid +n01967308 teredo +n01967963 piddock +n01968315 cephalopod, cephalopod mollusk +n01968897 chambered nautilus, pearly nautilus, nautilus +n01969726 octopod +n01970164 octopus, devilfish +n01970667 paper nautilus, nautilus, Argonaut, Argonauta argo +n01971094 decapod +n01971280 squid +n01971620 loligo +n01971850 ommastrephes +n01972131 architeuthis, giant squid +n01972541 cuttlefish, cuttle +n01973148 spirula, Spirula peronii +n01974773 crustacean +n01975687 malacostracan crustacean +n01976146 decapod crustacean, decapod +n01976868 brachyuran +n01976957 crab +n01977485 stone crab, Menippe mercenaria +n01978010 hard-shell crab +n01978136 soft-shell crab, soft-shelled crab +n01978287 Dungeness crab, Cancer magister +n01978455 rock crab, Cancer irroratus +n01978587 Jonah crab, Cancer borealis +n01978930 swimming crab +n01979269 English lady crab, Portunus puber +n01979526 American lady crab, lady crab, calico crab, Ovalipes ocellatus +n01979874 blue crab, Callinectes sapidus +n01980166 fiddler crab +n01980655 pea crab +n01981276 king crab, Alaska crab, Alaskan king crab, Alaska king crab, Paralithodes camtschatica +n01981702 spider crab +n01982068 European spider crab, king crab, Maja squinado +n01982347 giant crab, Macrocheira kaempferi +n01982650 lobster +n01983048 true lobster +n01983481 American lobster, Northern lobster, Maine lobster, Homarus americanus +n01983674 European lobster, Homarus vulgaris +n01983829 Cape lobster, Homarus capensis +n01984245 Norway lobster, Nephrops norvegicus +n01984695 spiny lobster, langouste, rock lobster, crawfish, crayfish, sea crawfish +n01985128 crayfish, crawfish, crawdad, crawdaddy +n01985493 Old World crayfish, ecrevisse +n01985797 American crayfish +n01986214 hermit crab +n01986806 shrimp +n01987076 snapping shrimp, pistol shrimp +n01987545 prawn +n01987727 long-clawed prawn, river prawn, Palaemon australis +n01988203 tropical prawn +n01988701 krill +n01988869 Euphausia pacifica +n01989516 opossum shrimp +n01989869 stomatopod, stomatopod crustacean +n01990007 mantis shrimp, mantis crab +n01990516 squilla, mantis prawn +n01990800 isopod +n01991028 woodlouse, slater +n01991520 pill bug +n01992262 sow bug +n01992423 sea louse, sea slater +n01992773 amphipod +n01993525 skeleton shrimp +n01993830 whale louse +n01994910 daphnia, water flea +n01995514 fairy shrimp +n01995686 brine shrimp, Artemia salina +n01996280 tadpole shrimp +n01996585 copepod, copepod crustacean +n01997119 cyclops, water flea +n01997825 seed shrimp, mussel shrimp, ostracod +n01998183 barnacle, cirriped, cirripede +n01998741 acorn barnacle, rock barnacle, Balanus balanoides +n01999186 goose barnacle, gooseneck barnacle, Lepas fascicularis +n01999767 onychophoran, velvet worm, peripatus +n02000954 wading bird, wader +n02002075 stork +n02002556 white stork, Ciconia ciconia +n02002724 black stork, Ciconia nigra +n02003037 adjutant bird, adjutant, adjutant stork, Leptoptilus dubius +n02003204 marabou, marabout, marabou stork, Leptoptilus crumeniferus +n02003577 openbill +n02003839 jabiru, Jabiru mycteria +n02004131 saddlebill, jabiru, Ephippiorhynchus senegalensis +n02004492 policeman bird, black-necked stork, jabiru, Xenorhyncus asiaticus +n02004855 wood ibis, wood stork, flinthead, Mycteria americana +n02005399 shoebill, shoebird, Balaeniceps rex +n02005790 ibis +n02006063 wood ibis, wood stork, Ibis ibis +n02006364 sacred ibis, Threskiornis aethiopica +n02006656 spoonbill +n02006985 common spoonbill, Platalea leucorodia +n02007284 roseate spoonbill, Ajaia ajaja +n02007558 flamingo +n02008041 heron +n02008497 great blue heron, Ardea herodius +n02008643 great white heron, Ardea occidentalis +n02008796 egret +n02009229 little blue heron, Egretta caerulea +n02009380 snowy egret, snowy heron, Egretta thula +n02009508 little egret, Egretta garzetta +n02009750 great white heron, Casmerodius albus +n02009912 American egret, great white heron, Egretta albus +n02010272 cattle egret, Bubulcus ibis +n02010453 night heron, night raven +n02010728 black-crowned night heron, Nycticorax nycticorax +n02011016 yellow-crowned night heron, Nyctanassa violacea +n02011281 boatbill, boat-billed heron, broadbill, Cochlearius cochlearius +n02011460 bittern +n02011805 American bittern, stake driver, Botaurus lentiginosus +n02011943 European bittern, Botaurus stellaris +n02012185 least bittern, Ixobrychus exilis +n02012849 crane +n02013177 whooping crane, whooper, Grus americana +n02013567 courlan, Aramus guarauna +n02013706 limpkin, Aramus pictus +n02014237 crested cariama, seriema, Cariama cristata +n02014524 chunga, seriema, Chunga burmeisteri +n02014941 rail +n02015357 weka, maori hen, wood hen +n02015554 crake +n02015797 corncrake, land rail, Crex crex +n02016066 spotted crake, Porzana porzana +n02016358 gallinule, marsh hen, water hen, swamphen +n02016659 Florida gallinule, Gallinula chloropus cachinnans +n02016816 moorhen, Gallinula chloropus +n02016956 purple gallinule +n02017213 European gallinule, Porphyrio porphyrio +n02017475 American gallinule, Porphyrula martinica +n02017725 notornis, takahe, Notornis mantelli +n02018027 coot +n02018207 American coot, marsh hen, mud hen, water hen, Fulica americana +n02018368 Old World coot, Fulica atra +n02018795 bustard +n02019190 great bustard, Otis tarda +n02019438 plain turkey, Choriotis australis +n02019929 button quail, button-quail, bustard quail, hemipode +n02020219 striped button quail, Turnix sylvatica +n02020578 plain wanderer, Pedionomus torquatus +n02021050 trumpeter +n02021281 Brazilian trumpeter, Psophia crepitans +n02021795 seabird, sea bird, seafowl +n02022684 shorebird, shore bird, limicoline bird +n02023341 plover +n02023855 piping plover, Charadrius melodus +n02023992 killdeer, kildeer, killdeer plover, Charadrius vociferus +n02024185 dotterel, dotrel, Charadrius morinellus, Eudromias morinellus +n02024479 golden plover +n02024763 lapwing, green plover, peewit, pewit +n02025043 turnstone +n02025239 ruddy turnstone, Arenaria interpres +n02025389 black turnstone, Arenaria-Melanocephala +n02026059 sandpiper +n02026629 surfbird, Aphriza virgata +n02026948 European sandpiper, Actitis hypoleucos +n02027075 spotted sandpiper, Actitis macularia +n02027357 least sandpiper, stint, Erolia minutilla +n02027492 red-backed sandpiper, dunlin, Erolia alpina +n02027897 greenshank, Tringa nebularia +n02028035 redshank, Tringa totanus +n02028175 yellowlegs +n02028342 greater yellowlegs, Tringa melanoleuca +n02028451 lesser yellowlegs, Tringa flavipes +n02028727 pectoral sandpiper, jacksnipe, Calidris melanotos +n02028900 knot, greyback, grayback, Calidris canutus +n02029087 curlew sandpiper, Calidris Ferruginea +n02029378 sanderling, Crocethia alba +n02029706 upland sandpiper, upland plover, Bartramian sandpiper, Bartramia longicauda +n02030035 ruff, Philomachus pugnax +n02030224 reeve +n02030287 tattler +n02030568 Polynesian tattler, Heteroscelus incanus +n02030837 willet, Catoptrophorus semipalmatus +n02030996 woodcock +n02031298 Eurasian woodcock, Scolopax rusticola +n02031585 American woodcock, woodcock snipe, Philohela minor +n02031934 snipe +n02032222 whole snipe, Gallinago gallinago +n02032355 Wilson's snipe, Gallinago gallinago delicata +n02032480 great snipe, woodcock snipe, Gallinago media +n02032769 jacksnipe, half snipe, Limnocryptes minima +n02033041 dowitcher +n02033208 greyback, grayback, Limnodromus griseus +n02033324 red-breasted snipe, Limnodromus scolopaceus +n02033561 curlew +n02033779 European curlew, Numenius arquata +n02033882 Eskimo curlew, Numenius borealis +n02034129 godwit +n02034295 Hudsonian godwit, Limosa haemastica +n02034661 stilt, stiltbird, longlegs, long-legs, stilt plover, Himantopus stilt +n02034971 black-necked stilt, Himantopus mexicanus +n02035210 black-winged stilt, Himantopus himantopus +n02035402 white-headed stilt, Himantopus himantopus leucocephalus +n02035656 kaki, Himantopus novae-zelandiae +n02036053 stilt, Australian stilt +n02036228 banded stilt, Cladorhyncus leucocephalum +n02036711 avocet +n02037110 oystercatcher, oyster catcher +n02037464 phalarope +n02037869 red phalarope, Phalaropus fulicarius +n02038141 northern phalarope, Lobipes lobatus +n02038466 Wilson's phalarope, Steganopus tricolor +n02038993 pratincole, glareole +n02039171 courser +n02039497 cream-colored courser, Cursorius cursor +n02039780 crocodile bird, Pluvianus aegyptius +n02040266 stone curlew, thick-knee, Burhinus oedicnemus +n02040505 coastal diving bird +n02041085 larid +n02041246 gull, seagull, sea gull +n02041678 mew, mew gull, sea mew, Larus canus +n02041875 black-backed gull, great black-backed gull, cob, Larus marinus +n02042046 herring gull, Larus argentatus +n02042180 laughing gull, blackcap, pewit, pewit gull, Larus ridibundus +n02042472 ivory gull, Pagophila eburnea +n02042759 kittiwake +n02043063 tern +n02043333 sea swallow, Sterna hirundo +n02043808 skimmer +n02044178 jaeger +n02044517 parasitic jaeger, arctic skua, Stercorarius parasiticus +n02044778 skua, bonxie +n02044908 great skua, Catharacta skua +n02045369 auk +n02045596 auklet +n02045864 razorbill, razor-billed auk, Alca torda +n02046171 little auk, dovekie, Plautus alle +n02046759 guillemot +n02046939 black guillemot, Cepphus grylle +n02047045 pigeon guillemot, Cepphus columba +n02047260 murre +n02047411 common murre, Uria aalge +n02047517 thick-billed murre, Uria lomvia +n02047614 puffin +n02047975 Atlantic puffin, Fratercula arctica +n02048115 horned puffin, Fratercula corniculata +n02048353 tufted puffin, Lunda cirrhata +n02048698 gaviiform seabird +n02049088 loon, diver +n02049532 podicipitiform seabird +n02050004 grebe +n02050313 great crested grebe, Podiceps cristatus +n02050442 red-necked grebe, Podiceps grisegena +n02050586 black-necked grebe, eared grebe, Podiceps nigricollis +n02050809 dabchick, little grebe, Podiceps ruficollis +n02051059 pied-billed grebe, Podilymbus podiceps +n02051474 pelecaniform seabird +n02051845 pelican +n02052204 white pelican, Pelecanus erythrorhynchos +n02052365 Old world white pelican, Pelecanus onocrotalus +n02052775 frigate bird, man-of-war bird +n02053083 gannet +n02053425 solan, solan goose, solant goose, Sula bassana +n02053584 booby +n02054036 cormorant, Phalacrocorax carbo +n02054502 snakebird, anhinga, darter +n02054711 water turkey, Anhinga anhinga +n02055107 tropic bird, tropicbird, boatswain bird +n02055658 sphenisciform seabird +n02055803 penguin +n02056228 Adelie, Adelie penguin, Pygoscelis adeliae +n02056570 king penguin, Aptenodytes patagonica +n02056728 emperor penguin, Aptenodytes forsteri +n02057035 jackass penguin, Spheniscus demersus +n02057330 rock hopper, crested penguin +n02057731 pelagic bird, oceanic bird +n02057898 procellariiform seabird +n02058221 albatross, mollymawk +n02058594 wandering albatross, Diomedea exulans +n02058747 black-footed albatross, gooney, gooney bird, goonie, goony, Diomedea nigripes +n02059162 petrel +n02059541 white-chinned petrel, Procellaria aequinoctialis +n02059852 giant petrel, giant fulmar, Macronectes giganteus +n02060133 fulmar, fulmar petrel, Fulmarus glacialis +n02060411 shearwater +n02060569 Manx shearwater, Puffinus puffinus +n02060889 storm petrel +n02061217 stormy petrel, northern storm petrel, Hydrobates pelagicus +n02061560 Mother Carey's chicken, Mother Carey's hen, Oceanites oceanicus +n02061853 diving petrel +n02062017 aquatic mammal +n02062430 cetacean, cetacean mammal, blower +n02062744 whale +n02063224 baleen whale, whalebone whale +n02063662 right whale +n02064000 bowhead, bowhead whale, Greenland whale, Balaena mysticetus +n02064338 rorqual, razorback +n02064816 blue whale, sulfur bottom, Balaenoptera musculus +n02065026 finback, finback whale, fin whale, common rorqual, Balaenoptera physalus +n02065263 sei whale, Balaenoptera borealis +n02065407 lesser rorqual, piked whale, minke whale, Balaenoptera acutorostrata +n02065726 humpback, humpback whale, Megaptera novaeangliae +n02066245 grey whale, gray whale, devilfish, Eschrichtius gibbosus, Eschrichtius robustus +n02066707 toothed whale +n02067240 sperm whale, cachalot, black whale, Physeter catodon +n02067603 pygmy sperm whale, Kogia breviceps +n02067768 dwarf sperm whale, Kogia simus +n02068206 beaked whale +n02068541 bottle-nosed whale, bottlenose whale, bottlenose, Hyperoodon ampullatus +n02068974 dolphin +n02069412 common dolphin, Delphinus delphis +n02069701 bottlenose dolphin, bottle-nosed dolphin, bottlenose +n02069974 Atlantic bottlenose dolphin, Tursiops truncatus +n02070174 Pacific bottlenose dolphin, Tursiops gilli +n02070430 porpoise +n02070624 harbor porpoise, herring hog, Phocoena phocoena +n02070776 vaquita, Phocoena sinus +n02071028 grampus, Grampus griseus +n02071294 killer whale, killer, orca, grampus, sea wolf, Orcinus orca +n02071636 pilot whale, black whale, common blackfish, blackfish, Globicephala melaena +n02072040 river dolphin +n02072493 narwhal, narwal, narwhale, Monodon monoceros +n02072798 white whale, beluga, Delphinapterus leucas +n02073250 sea cow, sirenian mammal, sirenian +n02073831 manatee, Trichechus manatus +n02074367 dugong, Dugong dugon +n02074726 Steller's sea cow, Hydrodamalis gigas +n02075296 carnivore +n02075612 omnivore +n02075927 pinniped mammal, pinniped, pinnatiped +n02076196 seal +n02076402 crabeater seal, crab-eating seal +n02076779 eared seal +n02077152 fur seal +n02077384 guadalupe fur seal, Arctocephalus philippi +n02077658 fur seal +n02077787 Alaska fur seal, Callorhinus ursinus +n02077923 sea lion +n02078292 South American sea lion, Otaria Byronia +n02078574 California sea lion, Zalophus californianus, Zalophus californicus +n02078738 Australian sea lion, Zalophus lobatus +n02079005 Steller sea lion, Steller's sea lion, Eumetopias jubatus +n02079389 earless seal, true seal, hair seal +n02079851 harbor seal, common seal, Phoca vitulina +n02080146 harp seal, Pagophilus groenlandicus +n02080415 elephant seal, sea elephant +n02080713 bearded seal, squareflipper square flipper, Erignathus barbatus +n02081060 hooded seal, bladdernose, Cystophora cristata +n02081571 walrus, seahorse, sea horse +n02081798 Atlantic walrus, Odobenus rosmarus +n02081927 Pacific walrus, Odobenus divergens +n02082056 Fissipedia +n02082190 fissiped mammal, fissiped +n02082791 aardvark, ant bear, anteater, Orycteropus afer +n02083346 canine, canid +n02083672 bitch +n02083780 brood bitch +n02084071 dog, domestic dog, Canis familiaris +n02084732 pooch, doggie, doggy, barker, bow-wow +n02084861 cur, mongrel, mutt +n02085019 feist, fice +n02085118 pariah dog, pye-dog, pie-dog +n02085272 lapdog +n02085374 toy dog, toy +n02085620 Chihuahua +n02085782 Japanese spaniel +n02085936 Maltese dog, Maltese terrier, Maltese +n02086079 Pekinese, Pekingese, Peke +n02086240 Shih-Tzu +n02086346 toy spaniel +n02086478 English toy spaniel +n02086646 Blenheim spaniel +n02086753 King Charles spaniel +n02086910 papillon +n02087046 toy terrier +n02087122 hunting dog +n02087314 courser +n02087394 Rhodesian ridgeback +n02087551 hound, hound dog +n02088094 Afghan hound, Afghan +n02088238 basset, basset hound +n02088364 beagle +n02088466 bloodhound, sleuthhound +n02088632 bluetick +n02088745 boarhound +n02088839 coonhound +n02088992 coondog +n02089078 black-and-tan coonhound +n02089232 dachshund, dachsie, badger dog +n02089468 sausage dog, sausage hound +n02089555 foxhound +n02089725 American foxhound +n02089867 Walker hound, Walker foxhound +n02089973 English foxhound +n02090129 harrier +n02090253 Plott hound +n02090379 redbone +n02090475 wolfhound +n02090622 borzoi, Russian wolfhound +n02090721 Irish wolfhound +n02090827 greyhound +n02091032 Italian greyhound +n02091134 whippet +n02091244 Ibizan hound, Ibizan Podenco +n02091467 Norwegian elkhound, elkhound +n02091635 otterhound, otter hound +n02091831 Saluki, gazelle hound +n02092002 Scottish deerhound, deerhound +n02092173 staghound +n02092339 Weimaraner +n02092468 terrier +n02093056 bullterrier, bull terrier +n02093256 Staffordshire bullterrier, Staffordshire bull terrier +n02093428 American Staffordshire terrier, Staffordshire terrier, American pit bull terrier, pit bull terrier +n02093647 Bedlington terrier +n02093754 Border terrier +n02093859 Kerry blue terrier +n02093991 Irish terrier +n02094114 Norfolk terrier +n02094258 Norwich terrier +n02094433 Yorkshire terrier +n02094562 rat terrier, ratter +n02094721 Manchester terrier, black-and-tan terrier +n02094931 toy Manchester, toy Manchester terrier +n02095050 fox terrier +n02095212 smooth-haired fox terrier +n02095314 wire-haired fox terrier +n02095412 wirehair, wirehaired terrier, wire-haired terrier +n02095570 Lakeland terrier +n02095727 Welsh terrier +n02095889 Sealyham terrier, Sealyham +n02096051 Airedale, Airedale terrier +n02096177 cairn, cairn terrier +n02096294 Australian terrier +n02096437 Dandie Dinmont, Dandie Dinmont terrier +n02096585 Boston bull, Boston terrier +n02096756 schnauzer +n02097047 miniature schnauzer +n02097130 giant schnauzer +n02097209 standard schnauzer +n02097298 Scotch terrier, Scottish terrier, Scottie +n02097474 Tibetan terrier, chrysanthemum dog +n02097658 silky terrier, Sydney silky +n02097786 Skye terrier +n02097967 Clydesdale terrier +n02098105 soft-coated wheaten terrier +n02098286 West Highland white terrier +n02098413 Lhasa, Lhasa apso +n02098550 sporting dog, gun dog +n02098806 bird dog +n02098906 water dog +n02099029 retriever +n02099267 flat-coated retriever +n02099429 curly-coated retriever +n02099601 golden retriever +n02099712 Labrador retriever +n02099849 Chesapeake Bay retriever +n02099997 pointer, Spanish pointer +n02100236 German short-haired pointer +n02100399 setter +n02100583 vizsla, Hungarian pointer +n02100735 English setter +n02100877 Irish setter, red setter +n02101006 Gordon setter +n02101108 spaniel +n02101388 Brittany spaniel +n02101556 clumber, clumber spaniel +n02101670 field spaniel +n02101861 springer spaniel, springer +n02102040 English springer, English springer spaniel +n02102177 Welsh springer spaniel +n02102318 cocker spaniel, English cocker spaniel, cocker +n02102480 Sussex spaniel +n02102605 water spaniel +n02102806 American water spaniel +n02102973 Irish water spaniel +n02103181 griffon, wire-haired pointing griffon +n02103406 working dog +n02103841 watchdog, guard dog +n02104029 kuvasz +n02104184 attack dog +n02104280 housedog +n02104365 schipperke +n02104523 shepherd dog, sheepdog, sheep dog +n02104882 Belgian sheepdog, Belgian shepherd +n02105056 groenendael +n02105162 malinois +n02105251 briard +n02105412 kelpie +n02105505 komondor +n02105641 Old English sheepdog, bobtail +n02105855 Shetland sheepdog, Shetland sheep dog, Shetland +n02106030 collie +n02106166 Border collie +n02106382 Bouvier des Flandres, Bouviers des Flandres +n02106550 Rottweiler +n02106662 German shepherd, German shepherd dog, German police dog, alsatian +n02106854 police dog +n02106966 pinscher +n02107142 Doberman, Doberman pinscher +n02107312 miniature pinscher +n02107420 Sennenhunde +n02107574 Greater Swiss Mountain dog +n02107683 Bernese mountain dog +n02107908 Appenzeller +n02108000 EntleBucher +n02108089 boxer +n02108254 mastiff +n02108422 bull mastiff +n02108551 Tibetan mastiff +n02108672 bulldog, English bulldog +n02108915 French bulldog +n02109047 Great Dane +n02109150 guide dog +n02109256 Seeing Eye dog +n02109391 hearing dog +n02109525 Saint Bernard, St Bernard +n02109687 seizure-alert dog +n02109811 sled dog, sledge dog +n02109961 Eskimo dog, husky +n02110063 malamute, malemute, Alaskan malamute +n02110185 Siberian husky +n02110341 dalmatian, coach dog, carriage dog +n02110532 liver-spotted dalmatian +n02110627 affenpinscher, monkey pinscher, monkey dog +n02110806 basenji +n02110958 pug, pug-dog +n02111129 Leonberg +n02111277 Newfoundland, Newfoundland dog +n02111500 Great Pyrenees +n02111626 spitz +n02111889 Samoyed, Samoyede +n02112018 Pomeranian +n02112137 chow, chow chow +n02112350 keeshond +n02112497 griffon, Brussels griffon, Belgian griffon +n02112706 Brabancon griffon +n02112826 corgi, Welsh corgi +n02113023 Pembroke, Pembroke Welsh corgi +n02113186 Cardigan, Cardigan Welsh corgi +n02113335 poodle, poodle dog +n02113624 toy poodle +n02113712 miniature poodle +n02113799 standard poodle +n02113892 large poodle +n02113978 Mexican hairless +n02114100 wolf +n02114367 timber wolf, grey wolf, gray wolf, Canis lupus +n02114548 white wolf, Arctic wolf, Canis lupus tundrarum +n02114712 red wolf, maned wolf, Canis rufus, Canis niger +n02114855 coyote, prairie wolf, brush wolf, Canis latrans +n02115012 coydog +n02115096 jackal, Canis aureus +n02115335 wild dog +n02115641 dingo, warrigal, warragal, Canis dingo +n02115913 dhole, Cuon alpinus +n02116185 crab-eating dog, crab-eating fox, Dusicyon cancrivorus +n02116450 raccoon dog, Nyctereutes procyonides +n02116738 African hunting dog, hyena dog, Cape hunting dog, Lycaon pictus +n02117135 hyena, hyaena +n02117512 striped hyena, Hyaena hyaena +n02117646 brown hyena, strand wolf, Hyaena brunnea +n02117900 spotted hyena, laughing hyena, Crocuta crocuta +n02118176 aardwolf, Proteles cristata +n02118333 fox +n02118643 vixen +n02118707 Reynard +n02119022 red fox, Vulpes vulpes +n02119247 black fox +n02119359 silver fox +n02119477 red fox, Vulpes fulva +n02119634 kit fox, prairie fox, Vulpes velox +n02119789 kit fox, Vulpes macrotis +n02120079 Arctic fox, white fox, Alopex lagopus +n02120278 blue fox +n02120505 grey fox, gray fox, Urocyon cinereoargenteus +n02120997 feline, felid +n02121620 cat, true cat +n02121808 domestic cat, house cat, Felis domesticus, Felis catus +n02122298 kitty, kitty-cat, puss, pussy, pussycat +n02122430 mouser +n02122510 alley cat +n02122580 stray +n02122725 tom, tomcat +n02122810 gib +n02122878 tabby, queen +n02122948 kitten, kitty +n02123045 tabby, tabby cat +n02123159 tiger cat +n02123242 tortoiseshell, tortoiseshell-cat, calico cat +n02123394 Persian cat +n02123478 Angora, Angora cat +n02123597 Siamese cat, Siamese +n02123785 blue point Siamese +n02123917 Burmese cat +n02124075 Egyptian cat +n02124157 Maltese, Maltese cat +n02124313 Abyssinian, Abyssinian cat +n02124484 Manx, Manx cat +n02124623 wildcat +n02125010 sand cat +n02125081 European wildcat, catamountain, Felis silvestris +n02125311 cougar, puma, catamount, mountain lion, painter, panther, Felis concolor +n02125494 ocelot, panther cat, Felis pardalis +n02125689 jaguarundi, jaguarundi cat, jaguarondi, eyra, Felis yagouaroundi +n02125872 kaffir cat, caffer cat, Felis ocreata +n02126028 jungle cat, Felis chaus +n02126139 serval, Felis serval +n02126317 leopard cat, Felis bengalensis +n02126640 margay, margay cat, Felis wiedi +n02126787 manul, Pallas's cat, Felis manul +n02127052 lynx, catamount +n02127292 common lynx, Lynx lynx +n02127381 Canada lynx, Lynx canadensis +n02127482 bobcat, bay lynx, Lynx rufus +n02127586 spotted lynx, Lynx pardina +n02127678 caracal, desert lynx, Lynx caracal +n02127808 big cat, cat +n02128385 leopard, Panthera pardus +n02128598 leopardess +n02128669 panther +n02128757 snow leopard, ounce, Panthera uncia +n02128925 jaguar, panther, Panthera onca, Felis onca +n02129165 lion, king of beasts, Panthera leo +n02129463 lioness +n02129530 lionet +n02129604 tiger, Panthera tigris +n02129837 Bengal tiger +n02129923 tigress +n02129991 liger +n02130086 tiglon, tigon +n02130308 cheetah, chetah, Acinonyx jubatus +n02130545 saber-toothed tiger, sabertooth +n02130925 Smiledon californicus +n02131653 bear +n02132136 brown bear, bruin, Ursus arctos +n02132320 bruin +n02132466 Syrian bear, Ursus arctos syriacus +n02132580 grizzly, grizzly bear, silvertip, silver-tip, Ursus horribilis, Ursus arctos horribilis +n02132788 Alaskan brown bear, Kodiak bear, Kodiak, Ursus middendorffi, Ursus arctos middendorffi +n02133161 American black bear, black bear, Ursus americanus, Euarctos americanus +n02133400 cinnamon bear +n02133704 Asiatic black bear, black bear, Ursus thibetanus, Selenarctos thibetanus +n02134084 ice bear, polar bear, Ursus Maritimus, Thalarctos maritimus +n02134418 sloth bear, Melursus ursinus, Ursus ursinus +n02134971 viverrine, viverrine mammal +n02135220 civet, civet cat +n02135610 large civet, Viverra zibetha +n02135844 small civet, Viverricula indica, Viverricula malaccensis +n02136103 binturong, bearcat, Arctictis bintourong +n02136285 Cryptoprocta, genus Cryptoprocta +n02136452 fossa, fossa cat, Cryptoprocta ferox +n02136794 fanaloka, Fossa fossa +n02137015 genet, Genetta genetta +n02137302 banded palm civet, Hemigalus hardwickii +n02137549 mongoose +n02137722 Indian mongoose, Herpestes nyula +n02137888 ichneumon, Herpestes ichneumon +n02138169 palm cat, palm civet +n02138441 meerkat, mierkat +n02138647 slender-tailed meerkat, Suricata suricatta +n02138777 suricate, Suricata tetradactyla +n02139199 bat, chiropteran +n02139671 fruit bat, megabat +n02140049 flying fox +n02140179 Pteropus capestratus +n02140268 Pteropus hypomelanus +n02140491 harpy, harpy bat, tube-nosed bat, tube-nosed fruit bat +n02140858 Cynopterus sphinx +n02141306 carnivorous bat, microbat +n02141611 mouse-eared bat +n02141713 leafnose bat, leaf-nosed bat +n02142407 macrotus, Macrotus californicus +n02142734 spearnose bat +n02142898 Phyllostomus hastatus +n02143142 hognose bat, Choeronycteris mexicana +n02143439 horseshoe bat +n02143891 horseshoe bat +n02144251 orange bat, orange horseshoe bat, Rhinonicteris aurantius +n02144593 false vampire, false vampire bat +n02144936 big-eared bat, Megaderma lyra +n02145424 vespertilian bat, vespertilionid +n02145910 frosted bat, Vespertilio murinus +n02146201 red bat, Lasiurus borealis +n02146371 brown bat +n02146700 little brown bat, little brown myotis, Myotis leucifugus +n02146879 cave myotis, Myotis velifer +n02147173 big brown bat, Eptesicus fuscus +n02147328 serotine, European brown bat, Eptesicus serotinus +n02147591 pallid bat, cave bat, Antrozous pallidus +n02147947 pipistrelle, pipistrel, Pipistrellus pipistrellus +n02148088 eastern pipistrel, Pipistrellus subflavus +n02148512 jackass bat, spotted bat, Euderma maculata +n02148835 long-eared bat +n02148991 western big-eared bat, Plecotus townsendi +n02149420 freetail, free-tailed bat, freetailed bat +n02149653 guano bat, Mexican freetail bat, Tadarida brasiliensis +n02149861 pocketed bat, pocketed freetail bat, Tadirida femorosacca +n02150134 mastiff bat +n02150482 vampire bat, true vampire bat +n02150885 Desmodus rotundus +n02151230 hairy-legged vampire bat, Diphylla ecaudata +n02152740 predator, predatory animal +n02152881 prey, quarry +n02152991 game +n02153109 big game +n02153203 game bird +n02153809 fossorial mammal +n02156732 tetrapod +n02156871 quadruped +n02157206 hexapod +n02157285 biped +n02159955 insect +n02160947 social insect +n02161225 holometabola, metabola +n02161338 defoliator +n02161457 pollinator +n02161588 gallfly +n02162561 scorpion fly +n02163008 hanging fly +n02163297 collembolan, springtail +n02164464 beetle +n02165105 tiger beetle +n02165456 ladybug, ladybeetle, lady beetle, ladybird, ladybird beetle +n02165877 two-spotted ladybug, Adalia bipunctata +n02166229 Mexican bean beetle, bean beetle, Epilachna varivestis +n02166567 Hippodamia convergens +n02166826 vedalia, Rodolia cardinalis +n02167151 ground beetle, carabid beetle +n02167505 bombardier beetle +n02167820 calosoma +n02167944 searcher, searcher beetle, Calosoma scrutator +n02168245 firefly, lightning bug +n02168427 glowworm +n02168699 long-horned beetle, longicorn, longicorn beetle +n02169023 sawyer, sawyer beetle +n02169218 pine sawyer +n02169497 leaf beetle, chrysomelid +n02169705 flea beetle +n02169974 Colorado potato beetle, Colorado beetle, potato bug, potato beetle, Leptinotarsa decemlineata +n02170400 carpet beetle, carpet bug +n02170599 buffalo carpet beetle, Anthrenus scrophulariae +n02170738 black carpet beetle +n02170993 clerid beetle, clerid +n02171164 bee beetle +n02171453 lamellicorn beetle +n02171869 scarabaeid beetle, scarabaeid, scarabaean +n02172182 dung beetle +n02172518 scarab, scarabaeus, Scarabaeus sacer +n02172678 tumblebug +n02172761 dorbeetle +n02172870 June beetle, June bug, May bug, May beetle +n02173113 green June beetle, figeater +n02173373 Japanese beetle, Popillia japonica +n02173784 Oriental beetle, Asiatic beetle, Anomala orientalis +n02174001 rhinoceros beetle +n02174355 melolonthid beetle +n02174659 cockchafer, May bug, May beetle, Melolontha melolontha +n02175014 rose chafer, rose bug, Macrodactylus subspinosus +n02175569 rose chafer, rose beetle, Cetonia aurata +n02175916 stag beetle +n02176261 elaterid beetle, elater, elaterid +n02176439 click beetle, skipjack, snapping beetle +n02176747 firefly, fire beetle, Pyrophorus noctiluca +n02176916 wireworm +n02177196 water beetle +n02177506 whirligig beetle +n02177775 deathwatch beetle, deathwatch, Xestobium rufovillosum +n02177972 weevil +n02178411 snout beetle +n02178717 boll weevil, Anthonomus grandis +n02179012 blister beetle, meloid +n02179192 oil beetle +n02179340 Spanish fly +n02179891 Dutch-elm beetle, Scolytus multistriatus +n02180233 bark beetle +n02180427 spruce bark beetle, Dendroctonus rufipennis +n02180875 rove beetle +n02181235 darkling beetle, darkling groung beetle, tenebrionid +n02181477 mealworm +n02181724 flour beetle, flour weevil +n02182045 seed beetle, seed weevil +n02182355 pea weevil, Bruchus pisorum +n02182642 bean weevil, Acanthoscelides obtectus +n02182930 rice weevil, black weevil, Sitophylus oryzae +n02183096 Asian longhorned beetle, Anoplophora glabripennis +n02183507 web spinner +n02183857 louse, sucking louse +n02184473 common louse, Pediculus humanus +n02184589 head louse, Pediculus capitis +n02184720 body louse, cootie, Pediculus corporis +n02185167 crab louse, pubic louse, crab, Phthirius pubis +n02185481 bird louse, biting louse, louse +n02186153 flea +n02186717 Pulex irritans +n02187150 dog flea, Ctenocephalides canis +n02187279 cat flea, Ctenocephalides felis +n02187554 chigoe, chigger, chigoe flea, Tunga penetrans +n02187900 sticktight, sticktight flea, Echidnophaga gallinacea +n02188699 dipterous insect, two-winged insects, dipteran, dipteron +n02189363 gall midge, gallfly, gall gnat +n02189670 Hessian fly, Mayetiola destructor +n02190166 fly +n02190790 housefly, house fly, Musca domestica +n02191273 tsetse fly, tsetse, tzetze fly, tzetze, glossina +n02191773 blowfly, blow fly +n02191979 bluebottle, Calliphora vicina +n02192252 greenbottle, greenbottle fly +n02192513 flesh fly, Sarcophaga carnaria +n02192814 tachina fly +n02193009 gadfly +n02193163 botfly +n02194249 human botfly, Dermatobia hominis +n02194750 sheep botfly, sheep gadfly, Oestrus ovis +n02195091 warble fly +n02195526 horsefly, cleg, clegg, horse fly +n02195819 bee fly +n02196119 robber fly, bee killer +n02196344 fruit fly, pomace fly +n02196896 apple maggot, railroad worm, Rhagoletis pomonella +n02197185 Mediterranean fruit fly, medfly, Ceratitis capitata +n02197689 drosophila, Drosophila melanogaster +n02197877 vinegar fly +n02198129 leaf miner, leaf-miner +n02198532 louse fly, hippoboscid +n02198859 horse tick, horsefly, Hippobosca equina +n02199170 sheep ked, sheep-tick, sheep tick, Melophagus Ovinus +n02199502 horn fly, Haematobia irritans +n02200198 mosquito +n02200509 wiggler, wriggler +n02200630 gnat +n02200850 yellow-fever mosquito, Aedes aegypti +n02201000 Asian tiger mosquito, Aedes albopictus +n02201497 anopheline +n02201626 malarial mosquito, malaria mosquito +n02202006 common mosquito, Culex pipiens +n02202124 Culex quinquefasciatus, Culex fatigans +n02202287 gnat +n02202678 punkie, punky, punkey, no-see-um, biting midge +n02203152 midge +n02203592 fungus gnat +n02203978 psychodid +n02204249 sand fly, sandfly, Phlebotomus papatasii +n02204722 fungus gnat, sciara, sciarid +n02204907 armyworm +n02205219 crane fly, daddy longlegs +n02205673 blackfly, black fly, buffalo gnat +n02206270 hymenopterous insect, hymenopteran, hymenopteron, hymenopter +n02206856 bee +n02207179 drone +n02207345 queen bee +n02207449 worker +n02207647 soldier +n02207805 worker bee +n02208280 honeybee, Apis mellifera +n02208498 Africanized bee, Africanized honey bee, killer bee, Apis mellifera scutellata, Apis mellifera adansonii +n02208848 black bee, German bee +n02208979 Carniolan bee +n02209111 Italian bee +n02209354 carpenter bee +n02209624 bumblebee, humblebee +n02209964 cuckoo-bumblebee +n02210427 andrena, andrenid, mining bee +n02210921 Nomia melanderi, alkali bee +n02211444 leaf-cutting bee, leaf-cutter, leaf-cutter bee +n02211627 mason bee +n02211896 potter bee +n02212062 wasp +n02212602 vespid, vespid wasp +n02212958 paper wasp +n02213107 hornet +n02213239 giant hornet, Vespa crabro +n02213543 common wasp, Vespula vulgaris +n02213663 bald-faced hornet, white-faced hornet, Vespula maculata +n02213788 yellow jacket, yellow hornet, Vespula maculifrons +n02214096 Polistes annularis +n02214341 mason wasp +n02214499 potter wasp +n02214660 Mutillidae, family Mutillidae +n02214773 velvet ant +n02215161 sphecoid wasp, sphecoid +n02215621 mason wasp +n02215770 digger wasp +n02216211 cicada killer, Sphecius speciosis +n02216365 mud dauber +n02216740 gall wasp, gallfly, cynipid wasp, cynipid gall wasp +n02217563 chalcid fly, chalcidfly, chalcid, chalcid wasp +n02217839 strawworm, jointworm +n02218134 chalcis fly +n02218371 ichneumon fly +n02218713 sawfly +n02219015 birch leaf miner, Fenusa pusilla +n02219486 ant, emmet, pismire +n02220055 pharaoh ant, pharaoh's ant, Monomorium pharaonis +n02220225 little black ant, Monomorium minimum +n02220518 army ant, driver ant, legionary ant +n02220804 carpenter ant +n02221083 fire ant +n02221414 wood ant, Formica rufa +n02221571 slave ant +n02221715 Formica fusca +n02221820 slave-making ant, slave-maker +n02222035 sanguinary ant, Formica sanguinea +n02222321 bulldog ant +n02222582 Amazon ant, Polyergus rufescens +n02223266 termite, white ant +n02223520 dry-wood termite +n02224023 Reticulitermes lucifugus +n02224713 Mastotermes darwiniensis +n02225081 Mastotermes electrodominicus +n02225798 powder-post termite, Cryptotermes brevis +n02226183 orthopterous insect, orthopteron, orthopteran +n02226429 grasshopper, hopper +n02226821 short-horned grasshopper, acridid +n02226970 locust +n02227247 migratory locust, Locusta migratoria +n02227604 migratory grasshopper +n02227966 long-horned grasshopper, tettigoniid +n02228341 katydid +n02228697 mormon cricket, Anabrus simplex +n02229156 sand cricket, Jerusalem cricket, Stenopelmatus fuscus +n02229544 cricket +n02229765 mole cricket +n02230023 European house cricket, Acheta domestica +n02230187 field cricket, Acheta assimilis +n02230480 tree cricket +n02230634 snowy tree cricket, Oecanthus fultoni +n02231052 phasmid, phasmid insect +n02231487 walking stick, walkingstick, stick insect +n02231803 diapheromera, Diapheromera femorata +n02232223 walking leaf, leaf insect +n02233338 cockroach, roach +n02233943 oriental cockroach, oriental roach, Asiatic cockroach, blackbeetle, Blatta orientalis +n02234355 American cockroach, Periplaneta americana +n02234570 Australian cockroach, Periplaneta australasiae +n02234848 German cockroach, Croton bug, crotonbug, water bug, Blattella germanica +n02235205 giant cockroach +n02236044 mantis, mantid +n02236241 praying mantis, praying mantid, Mantis religioso +n02236355 bug +n02236896 hemipterous insect, bug, hemipteran, hemipteron +n02237424 leaf bug, plant bug +n02237581 mirid bug, mirid, capsid +n02237868 four-lined plant bug, four-lined leaf bug, Poecilocapsus lineatus +n02238235 lygus bug +n02238358 tarnished plant bug, Lygus lineolaris +n02238594 lace bug +n02238887 lygaeid, lygaeid bug +n02239192 chinch bug, Blissus leucopterus +n02239528 coreid bug, coreid +n02239774 squash bug, Anasa tristis +n02240068 leaf-footed bug, leaf-foot bug +n02240517 bedbug, bed bug, chinch, Cimex lectularius +n02241008 backswimmer, Notonecta undulata +n02241426 true bug +n02241569 heteropterous insect +n02241799 water bug +n02242137 giant water bug +n02242455 water scorpion +n02243209 water boatman, boat bug +n02243562 water strider, pond-skater, water skater +n02243878 common pond-skater, Gerris lacustris +n02244173 assassin bug, reduviid +n02244515 conenose, cone-nosed bug, conenose bug, big bedbug, kissing bug +n02244797 wheel bug, Arilus cristatus +n02245111 firebug +n02245443 cotton stainer +n02246011 homopterous insect, homopteran +n02246628 whitefly +n02246941 citrus whitefly, Dialeurodes citri +n02247216 greenhouse whitefly, Trialeurodes vaporariorum +n02247511 sweet-potato whitefly +n02247655 superbug, Bemisia tabaci, poinsettia strain +n02248062 cotton strain +n02248368 coccid insect +n02248510 scale insect +n02248887 soft scale +n02249134 brown soft scale, Coccus hesperidum +n02249515 armored scale +n02249809 San Jose scale, Aspidiotus perniciosus +n02250280 cochineal insect, cochineal, Dactylopius coccus +n02250822 mealybug, mealy bug +n02251067 citrophilous mealybug, citrophilus mealybug, Pseudococcus fragilis +n02251233 Comstock mealybug, Comstock's mealybug, Pseudococcus comstocki +n02251593 citrus mealybug, Planococcus citri +n02251775 plant louse, louse +n02252226 aphid +n02252799 apple aphid, green apple aphid, Aphis pomi +n02252972 blackfly, bean aphid, Aphis fabae +n02253127 greenfly +n02253264 green peach aphid +n02253494 ant cow +n02253715 woolly aphid, woolly plant louse +n02253913 woolly apple aphid, American blight, Eriosoma lanigerum +n02254246 woolly alder aphid, Prociphilus tessellatus +n02254697 adelgid +n02254901 balsam woolly aphid, Adelges piceae +n02255023 spruce gall aphid, Adelges abietis +n02255391 woolly adelgid +n02256172 jumping plant louse, psylla, psyllid +n02256656 cicada, cicala +n02257003 dog-day cicada, harvest fly +n02257284 seventeen-year locust, periodical cicada, Magicicada septendecim +n02257715 spittle insect, spittlebug +n02257985 froghopper +n02258198 meadow spittlebug, Philaenus spumarius +n02258508 pine spittlebug +n02258629 Saratoga spittlebug, Aphrophora saratogensis +n02259212 leafhopper +n02259377 plant hopper, planthopper +n02259708 treehopper +n02259987 lantern fly, lantern-fly +n02260421 psocopterous insect +n02260863 psocid +n02261063 bark-louse, bark louse +n02261419 booklouse, book louse, deathwatch, Liposcelis divinatorius +n02261757 common booklouse, Trogium pulsatorium +n02262178 ephemerid, ephemeropteran +n02262449 mayfly, dayfly, shadfly +n02262803 stonefly, stone fly, plecopteran +n02263378 neuropteron, neuropteran, neuropterous insect +n02264021 ant lion, antlion, antlion fly +n02264232 doodlebug, ant lion, antlion +n02264363 lacewing, lacewing fly +n02264591 aphid lion, aphis lion +n02264885 green lacewing, chrysopid, stink fly +n02265330 brown lacewing, hemerobiid, hemerobiid fly +n02266050 dobson, dobsonfly, dobson fly, Corydalus cornutus +n02266269 hellgrammiate, dobson +n02266421 fish fly, fish-fly +n02266864 alderfly, alder fly, Sialis lutaria +n02267208 snakefly +n02267483 mantispid +n02268148 odonate +n02268443 dragonfly, darning needle, devil's darning needle, sewing needle, snake feeder, snake doctor, mosquito hawk, skeeter hawk +n02268853 damselfly +n02269196 trichopterous insect, trichopteran, trichopteron +n02269340 caddis fly, caddis-fly, caddice fly, caddice-fly +n02269522 caseworm +n02269657 caddisworm, strawworm +n02270011 thysanuran insect, thysanuron +n02270200 bristletail +n02270623 silverfish, Lepisma saccharina +n02270945 firebrat, Thermobia domestica +n02271222 jumping bristletail, machilid +n02271570 thysanopter, thysanopteron, thysanopterous insect +n02271897 thrips, thrip, thripid +n02272286 tobacco thrips, Frankliniella fusca +n02272552 onion thrips, onion louse, Thrips tobaci +n02272871 earwig +n02273392 common European earwig, Forficula auricularia +n02274024 lepidopterous insect, lepidopteron, lepidopteran +n02274259 butterfly +n02274822 nymphalid, nymphalid butterfly, brush-footed butterfly, four-footed butterfly +n02275560 mourning cloak, mourning cloak butterfly, Camberwell beauty, Nymphalis antiopa +n02275773 tortoiseshell, tortoiseshell butterfly +n02276078 painted beauty, Vanessa virginiensis +n02276258 admiral +n02276355 red admiral, Vanessa atalanta +n02276749 white admiral, Limenitis camilla +n02276902 banded purple, white admiral, Limenitis arthemis +n02277094 red-spotted purple, Limenitis astyanax +n02277268 viceroy, Limenitis archippus +n02277422 anglewing +n02277742 ringlet, ringlet butterfly +n02278024 comma, comma butterfly, Polygonia comma +n02278210 fritillary +n02278463 silverspot +n02278839 emperor butterfly, emperor +n02278980 purple emperor, Apatura iris +n02279257 peacock, peacock butterfly, Inachis io +n02279637 danaid, danaid butterfly +n02279972 monarch, monarch butterfly, milkweed butterfly, Danaus plexippus +n02280458 pierid, pierid butterfly +n02280649 cabbage butterfly +n02281015 small white, Pieris rapae +n02281136 large white, Pieris brassicae +n02281267 southern cabbage butterfly, Pieris protodice +n02281406 sulphur butterfly, sulfur butterfly +n02281787 lycaenid, lycaenid butterfly +n02282257 blue +n02282385 copper +n02282553 American copper, Lycaena hypophlaeas +n02282903 hairstreak, hairstreak butterfly +n02283077 Strymon melinus +n02283201 moth +n02283617 moth miller, miller +n02283951 tortricid, tortricid moth +n02284224 leaf roller, leaf-roller +n02284611 tea tortrix, tortrix, Homona coffearia +n02284884 orange tortrix, tortrix, Argyrotaenia citrana +n02285179 codling moth, codlin moth, Carpocapsa pomonella +n02285548 lymantriid, tussock moth +n02285801 tussock caterpillar +n02286089 gypsy moth, gipsy moth, Lymantria dispar +n02286425 browntail, brown-tail moth, Euproctis phaeorrhoea +n02286654 gold-tail moth, Euproctis chrysorrhoea +n02287004 geometrid, geometrid moth +n02287352 Paleacrita vernata +n02287622 Alsophila pometaria +n02287799 cankerworm +n02287987 spring cankerworm +n02288122 fall cankerworm +n02288268 measuring worm, inchworm, looper +n02288789 pyralid, pyralid moth +n02289307 bee moth, wax moth, Galleria mellonella +n02289610 corn borer, European corn borer moth, corn borer moth, Pyrausta nubilalis +n02289988 Mediterranean flour moth, Anagasta kuehniella +n02290340 tobacco moth, cacao moth, Ephestia elutella +n02290664 almond moth, fig moth, Cadra cautella +n02290870 raisin moth, Cadra figulilella +n02291220 tineoid, tineoid moth +n02291572 tineid, tineid moth +n02291748 clothes moth +n02292085 casemaking clothes moth, Tinea pellionella +n02292401 webbing clothes moth, webbing moth, Tineola bisselliella +n02292692 carpet moth, tapestry moth, Trichophaga tapetzella +n02293352 gelechiid, gelechiid moth +n02293868 grain moth +n02294097 angoumois moth, angoumois grain moth, Sitotroga cerealella +n02294407 potato moth, potato tuber moth, splitworm, Phthorimaea operculella +n02294577 potato tuberworm, Phthorimaea operculella +n02295064 noctuid moth, noctuid, owlet moth +n02295390 cutworm +n02295870 underwing +n02296021 red underwing, Catocala nupta +n02296276 antler moth, Cerapteryx graminis +n02296612 heliothis moth, Heliothis zia +n02296912 army cutworm, Chorizagrotis auxiliaris +n02297294 armyworm, Pseudaletia unipuncta +n02297442 armyworm, army worm, Pseudaletia unipuncta +n02297819 Spodoptera exigua +n02297938 beet armyworm, Spodoptera exigua +n02298095 Spodoptera frugiperda +n02298218 fall armyworm, Spodoptera frugiperda +n02298541 hawkmoth, hawk moth, sphingid, sphinx moth, hummingbird moth +n02299039 Manduca sexta +n02299157 tobacco hornworm, tomato worm, Manduca sexta +n02299378 Manduca quinquemaculata +n02299505 tomato hornworm, potato worm, Manduca quinquemaculata +n02299846 death's-head moth, Acherontia atropos +n02300173 bombycid, bombycid moth, silkworm moth +n02300554 domestic silkworm moth, domesticated silkworm moth, Bombyx mori +n02300797 silkworm +n02301452 saturniid, saturniid moth +n02301935 emperor, emperor moth, Saturnia pavonia +n02302244 imperial moth, Eacles imperialis +n02302459 giant silkworm moth, silkworm moth +n02302620 silkworm, giant silkworm, wild wilkworm +n02302969 luna moth, Actias luna +n02303284 cecropia, cecropia moth, Hyalophora cecropia +n02303585 cynthia moth, Samia cynthia, Samia walkeri +n02303777 ailanthus silkworm, Samia cynthia +n02304036 io moth, Automeris io +n02304432 polyphemus moth, Antheraea polyphemus +n02304657 pernyi moth, Antheraea pernyi +n02304797 tussah, tusseh, tussur, tussore, tusser, Antheraea mylitta +n02305085 atlas moth, Atticus atlas +n02305407 arctiid, arctiid moth +n02305636 tiger moth +n02305929 cinnabar, cinnabar moth, Callimorpha jacobeae +n02306433 lasiocampid, lasiocampid moth +n02306825 eggar, egger +n02307176 tent-caterpillar moth, Malacosoma americana +n02307325 tent caterpillar +n02307515 tent-caterpillar moth, Malacosoma disstria +n02307681 forest tent caterpillar, Malacosoma disstria +n02307910 lappet, lappet moth +n02308033 lappet caterpillar +n02308139 webworm +n02308471 webworm moth +n02308618 Hyphantria cunea +n02308735 fall webworm, Hyphantria cunea +n02309120 garden webworm, Loxostege similalis +n02309242 instar +n02309337 caterpillar +n02309841 corn borer, Pyrausta nubilalis +n02310000 bollworm +n02310149 pink bollworm, Gelechia gossypiella +n02310334 corn earworm, cotton bollworm, tomato fruitworm, tobacco budworm, vetchworm, Heliothis zia +n02310585 cabbageworm, Pieris rapae +n02310717 woolly bear, woolly bear caterpillar +n02310941 woolly bear moth +n02311060 larva +n02311617 nymph +n02311748 leptocephalus +n02312006 grub +n02312175 maggot +n02312325 leatherjacket +n02312427 pupa +n02312640 chrysalis +n02312912 imago +n02313008 queen +n02313360 phoronid +n02313709 bryozoan, polyzoan, sea mat, sea moss, moss animal +n02315487 brachiopod, lamp shell, lampshell +n02315821 peanut worm, sipunculid +n02316707 echinoderm +n02317335 starfish, sea star +n02317781 brittle star, brittle-star, serpent star +n02318167 basket star, basket fish +n02318687 Astrophyton muricatum +n02319095 sea urchin +n02319308 edible sea urchin, Echinus esculentus +n02319555 sand dollar +n02319829 heart urchin +n02320127 crinoid +n02320465 sea lily +n02321170 feather star, comatulid +n02321529 sea cucumber, holothurian +n02322047 trepang, Holothuria edulis +n02322992 Duplicidentata +n02323449 lagomorph, gnawing mammal +n02323902 leporid, leporid mammal +n02324045 rabbit, coney, cony +n02324431 rabbit ears +n02324514 lapin +n02324587 bunny, bunny rabbit +n02324850 European rabbit, Old World rabbit, Oryctolagus cuniculus +n02325366 wood rabbit, cottontail, cottontail rabbit +n02325722 eastern cottontail, Sylvilagus floridanus +n02325884 swamp rabbit, canecutter, swamp hare, Sylvilagus aquaticus +n02326074 marsh hare, swamp rabbit, Sylvilagus palustris +n02326432 hare +n02326763 leveret +n02326862 European hare, Lepus europaeus +n02327028 jackrabbit +n02327175 white-tailed jackrabbit, whitetail jackrabbit, Lepus townsendi +n02327435 blacktail jackrabbit, Lepus californicus +n02327656 polar hare, Arctic hare, Lepus arcticus +n02327842 snowshoe hare, snowshoe rabbit, varying hare, Lepus americanus +n02328009 Belgian hare, leporide +n02328150 Angora, Angora rabbit +n02328429 pika, mouse hare, rock rabbit, coney, cony +n02328820 little chief hare, Ochotona princeps +n02328942 collared pika, Ochotona collaris +n02329401 rodent, gnawer +n02330245 mouse +n02331046 rat +n02331309 pocket rat +n02331842 murine +n02332156 house mouse, Mus musculus +n02332447 harvest mouse, Micromyx minutus +n02332755 field mouse, fieldmouse +n02332954 nude mouse +n02333190 European wood mouse, Apodemus sylvaticus +n02333546 brown rat, Norway rat, Rattus norvegicus +n02333733 wharf rat +n02333819 sewer rat +n02333909 black rat, roof rat, Rattus rattus +n02334201 bandicoot rat, mole rat +n02334460 jerboa rat +n02334728 kangaroo mouse +n02335127 water rat +n02335231 beaver rat +n02336011 New World mouse +n02336275 American harvest mouse, harvest mouse +n02336641 wood mouse +n02336826 white-footed mouse, vesper mouse, Peromyscus leucopus +n02337001 deer mouse, Peromyscus maniculatus +n02337171 cactus mouse, Peromyscus eremicus +n02337332 cotton mouse, Peromyscus gossypinus +n02337598 pygmy mouse, Baiomys taylori +n02337902 grasshopper mouse +n02338145 muskrat, musquash, Ondatra zibethica +n02338449 round-tailed muskrat, Florida water rat, Neofiber alleni +n02338722 cotton rat, Sigmodon hispidus +n02338901 wood rat, wood-rat +n02339282 dusky-footed wood rat +n02339376 vole, field mouse +n02339922 packrat, pack rat, trade rat, bushytail woodrat, Neotoma cinerea +n02340186 dusky-footed woodrat, Neotoma fuscipes +n02340358 eastern woodrat, Neotoma floridana +n02340640 rice rat, Oryzomys palustris +n02340930 pine vole, pine mouse, Pitymys pinetorum +n02341288 meadow vole, meadow mouse, Microtus pennsylvaticus +n02341475 water vole, Richardson vole, Microtus richardsoni +n02341616 prairie vole, Microtus ochrogaster +n02341974 water vole, water rat, Arvicola amphibius +n02342250 red-backed mouse, redback vole +n02342534 phenacomys +n02342885 hamster +n02343058 Eurasian hamster, Cricetus cricetus +n02343320 golden hamster, Syrian hamster, Mesocricetus auratus +n02343772 gerbil, gerbille +n02344175 jird +n02344270 tamarisk gerbil, Meriones unguiculatus +n02344408 sand rat, Meriones longifrons +n02344528 lemming +n02344918 European lemming, Lemmus lemmus +n02345078 brown lemming, Lemmus trimucronatus +n02345340 grey lemming, gray lemming, red-backed lemming +n02345600 pied lemming +n02345774 Hudson bay collared lemming, Dicrostonyx hudsonius +n02345997 southern bog lemming, Synaptomys cooperi +n02346170 northern bog lemming, Synaptomys borealis +n02346627 porcupine, hedgehog +n02346998 Old World porcupine +n02347274 brush-tailed porcupine, brush-tail porcupine +n02347573 long-tailed porcupine, Trichys lipura +n02347744 New World porcupine +n02348173 Canada porcupine, Erethizon dorsatum +n02348788 pocket mouse +n02349205 silky pocket mouse, Perognathus flavus +n02349390 plains pocket mouse, Perognathus flavescens +n02349557 hispid pocket mouse, Perognathus hispidus +n02349847 Mexican pocket mouse, Liomys irroratus +n02350105 kangaroo rat, desert rat, Dipodomys phillipsii +n02350357 Ord kangaroo rat, Dipodomys ordi +n02350670 kangaroo mouse, dwarf pocket rat +n02350989 jumping mouse +n02351343 meadow jumping mouse, Zapus hudsonius +n02351870 jerboa +n02352002 typical jerboa +n02352290 Jaculus jaculus +n02352591 dormouse +n02352932 loir, Glis glis +n02353172 hazel mouse, Muscardinus avellanarius +n02353411 lerot +n02353861 gopher, pocket gopher, pouched rat +n02354162 plains pocket gopher, Geomys bursarius +n02354320 southeastern pocket gopher, Geomys pinetis +n02354621 valley pocket gopher, Thomomys bottae +n02354781 northern pocket gopher, Thomomys talpoides +n02355227 squirrel +n02355477 tree squirrel +n02356381 eastern grey squirrel, eastern gray squirrel, cat squirrel, Sciurus carolinensis +n02356612 western grey squirrel, western gray squirrel, Sciurus griseus +n02356798 fox squirrel, eastern fox squirrel, Sciurus niger +n02356977 black squirrel +n02357111 red squirrel, cat squirrel, Sciurus vulgaris +n02357401 American red squirrel, spruce squirrel, red squirrel, Sciurus hudsonicus, Tamiasciurus hudsonicus +n02357585 chickeree, Douglas squirrel, Tamiasciurus douglasi +n02357911 antelope squirrel, whitetail antelope squirrel, antelope chipmunk, Citellus leucurus +n02358091 ground squirrel, gopher, spermophile +n02358390 mantled ground squirrel, Citellus lateralis +n02358584 suslik, souslik, Citellus citellus +n02358712 flickertail, Richardson ground squirrel, Citellus richardsoni +n02358890 rock squirrel, Citellus variegatus +n02359047 Arctic ground squirrel, parka squirrel, Citellus parryi +n02359324 prairie dog, prairie marmot +n02359556 blacktail prairie dog, Cynomys ludovicianus +n02359667 whitetail prairie dog, Cynomys gunnisoni +n02359915 eastern chipmunk, hackee, striped squirrel, ground squirrel, Tamias striatus +n02360282 chipmunk +n02360480 baronduki, baranduki, barunduki, burunduki, Eutamius asiaticus, Eutamius sibiricus +n02360781 American flying squirrel +n02360933 southern flying squirrel, Glaucomys volans +n02361090 northern flying squirrel, Glaucomys sabrinus +n02361337 marmot +n02361587 groundhog, woodchuck, Marmota monax +n02361706 hoary marmot, whistler, whistling marmot, Marmota caligata +n02361850 yellowbelly marmot, rockchuck, Marmota flaviventris +n02362194 Asiatic flying squirrel +n02363005 beaver +n02363245 Old World beaver, Castor fiber +n02363351 New World beaver, Castor canadensis +n02363996 mountain beaver, sewellel, Aplodontia rufa +n02364520 cavy +n02364673 guinea pig, Cavia cobaya +n02364840 aperea, wild cavy, Cavia porcellus +n02365108 mara, Dolichotis patagonum +n02365480 capybara, capibara, Hydrochoerus hydrochaeris +n02366002 agouti, Dasyprocta aguti +n02366301 paca, Cuniculus paca +n02366579 mountain paca +n02366959 coypu, nutria, Myocastor coypus +n02367492 chinchilla, Chinchilla laniger +n02367812 mountain chinchilla, mountain viscacha +n02368116 viscacha, chinchillon, Lagostomus maximus +n02368399 abrocome, chinchilla rat, rat chinchilla +n02368821 mole rat +n02369293 mole rat +n02369555 sand rat +n02369680 naked mole rat +n02369935 queen, queen mole rat +n02370137 Damaraland mole rat +n02370525 Ungulata +n02370806 ungulate, hoofed mammal +n02371344 unguiculate, unguiculate mammal +n02372140 dinoceras, uintathere +n02372584 hyrax, coney, cony, dassie, das +n02372952 rock hyrax, rock rabbit, Procavia capensis +n02373336 odd-toed ungulate, perissodactyl, perissodactyl mammal +n02374149 equine, equid +n02374451 horse, Equus caballus +n02375302 roan +n02375438 stablemate, stable companion +n02375757 gee-gee +n02375862 eohippus, dawn horse +n02376542 foal +n02376679 filly +n02376791 colt +n02376918 male horse +n02377063 ridgeling, ridgling, ridgel, ridgil +n02377181 stallion, entire +n02377291 stud, studhorse +n02377388 gelding +n02377480 mare, female horse +n02377603 broodmare, stud mare +n02377703 saddle horse, riding horse, mount +n02378149 remount +n02378299 palfrey +n02378415 warhorse +n02378541 cavalry horse +n02378625 charger, courser +n02378755 steed +n02378870 prancer +n02378969 hack +n02379081 cow pony +n02379183 quarter horse +n02379329 Morgan +n02379430 Tennessee walker, Tennessee walking horse, Walking horse, Plantation walking horse +n02379630 American saddle horse +n02379743 Appaloosa +n02379908 Arabian, Arab +n02380052 Lippizan, Lipizzan, Lippizaner +n02380335 pony +n02380464 polo pony +n02380583 mustang +n02380745 bronco, bronc, broncho +n02380875 bucking bronco +n02381004 buckskin +n02381119 crowbait, crow-bait +n02381261 dun +n02381364 grey, gray +n02381460 wild horse +n02381609 tarpan, Equus caballus gomelini +n02381831 Przewalski's horse, Przevalski's horse, Equus caballus przewalskii, Equus caballus przevalskii +n02382039 cayuse, Indian pony +n02382132 hack +n02382204 hack, jade, nag, plug +n02382338 plow horse, plough horse +n02382437 pony +n02382635 Shetland pony +n02382750 Welsh pony +n02382850 Exmoor +n02382948 racehorse, race horse, bangtail +n02383231 thoroughbred +n02384741 steeplechaser +n02384858 racer +n02385002 finisher +n02385098 pony +n02385214 yearling +n02385580 dark horse +n02385676 mudder +n02385776 nonstarter +n02385898 stalking-horse +n02386014 harness horse +n02386141 cob +n02386224 hackney +n02386310 workhorse +n02386496 draft horse, draught horse, dray horse +n02386746 packhorse +n02386853 carthorse, cart horse, drayhorse +n02386968 Clydesdale +n02387093 Percheron +n02387254 farm horse, dobbin +n02387346 shire, shire horse +n02387452 pole horse, poler +n02387722 post horse, post-horse, poster +n02387887 coach horse +n02387983 pacer +n02388143 pacer, pacemaker, pacesetter +n02388276 trotting horse, trotter +n02388453 pole horse +n02388588 stepper, high stepper +n02388735 chestnut +n02388832 liver chestnut +n02388917 bay +n02389026 sorrel +n02389128 palomino +n02389261 pinto +n02389346 ass +n02389559 domestic ass, donkey, Equus asinus +n02389779 burro +n02389865 moke +n02389943 jack, jackass +n02390015 jennet, jenny, jenny ass +n02390101 mule +n02390258 hinny +n02390454 wild ass +n02390640 African wild ass, Equus asinus +n02390738 kiang, Equus kiang +n02390834 onager, Equus hemionus +n02390938 chigetai, dziggetai, Equus hemionus hemionus +n02391049 zebra +n02391234 common zebra, Burchell's zebra, Equus Burchelli +n02391373 mountain zebra, Equus zebra zebra +n02391508 grevy's zebra, Equus grevyi +n02391617 quagga, Equus quagga +n02391994 rhinoceros, rhino +n02392434 Indian rhinoceros, Rhinoceros unicornis +n02392555 woolly rhinoceros, Rhinoceros antiquitatis +n02392824 white rhinoceros, Ceratotherium simum, Diceros simus +n02393161 black rhinoceros, Diceros bicornis +n02393580 tapir +n02393807 New World tapir, Tapirus terrestris +n02393940 Malayan tapir, Indian tapir, Tapirus indicus +n02394477 even-toed ungulate, artiodactyl, artiodactyl mammal +n02395003 swine +n02395406 hog, pig, grunter, squealer, Sus scrofa +n02395694 piglet, piggy, shoat, shote +n02395855 sucking pig +n02395931 porker +n02396014 boar +n02396088 sow +n02396157 razorback, razorback hog, razorbacked hog +n02396427 wild boar, boar, Sus scrofa +n02396796 babirusa, babiroussa, babirussa, Babyrousa Babyrussa +n02397096 warthog +n02397529 peccary, musk hog +n02397744 collared peccary, javelina, Tayassu angulatus, Tayassu tajacu, Peccari angulatus +n02397987 white-lipped peccary, Tayassu pecari +n02398521 hippopotamus, hippo, river horse, Hippopotamus amphibius +n02399000 ruminant +n02401031 bovid +n02402010 bovine +n02402175 ox, wild ox +n02402425 cattle, cows, kine, oxen, Bos taurus +n02403003 ox +n02403153 stirk +n02403231 bullock, steer +n02403325 bull +n02403454 cow, moo-cow +n02403740 heifer +n02403820 bullock +n02403920 dogie, dogy, leppy +n02404028 maverick +n02404186 beef, beef cattle +n02404432 longhorn, Texas longhorn +n02404573 Brahman, Brahma, Brahmin, Bos indicus +n02404906 zebu +n02405101 aurochs, urus, Bos primigenius +n02405302 yak, Bos grunniens +n02405440 banteng, banting, tsine, Bos banteng +n02405577 Welsh, Welsh Black +n02405692 red poll +n02405799 Santa Gertrudis +n02405929 Aberdeen Angus, Angus, black Angus +n02406046 Africander +n02406174 dairy cattle, dairy cow, milch cow, milk cow, milcher, milker +n02406432 Ayrshire +n02406533 Brown Swiss +n02406647 Charolais +n02406749 Jersey +n02406859 Devon +n02406952 grade +n02407071 Durham, shorthorn +n02407172 milking shorthorn +n02407276 Galloway +n02407390 Friesian, Holstein, Holstein-Friesian +n02407521 Guernsey +n02407625 Hereford, whiteface +n02407763 cattalo, beefalo +n02407959 Old World buffalo, buffalo +n02408429 water buffalo, water ox, Asiatic buffalo, Bubalus bubalis +n02408660 Indian buffalo +n02408817 carabao +n02409038 anoa, dwarf buffalo, Anoa depressicornis +n02409202 tamarau, tamarao, Bubalus mindorensis, Anoa mindorensis +n02409508 Cape buffalo, Synercus caffer +n02409870 Asian wild ox +n02410011 gaur, Bibos gaurus +n02410141 gayal, mithan, Bibos frontalis +n02410509 bison +n02410702 American bison, American buffalo, buffalo, Bison bison +n02410900 wisent, aurochs, Bison bonasus +n02411206 musk ox, musk sheep, Ovibos moschatus +n02411705 sheep +n02411999 ewe +n02412080 ram, tup +n02412210 wether +n02412440 lamb +n02412629 lambkin +n02412700 baa-lamb +n02412787 hog, hogget, hogg +n02412909 teg +n02412977 Persian lamb +n02413050 black sheep +n02413131 domestic sheep, Ovis aries +n02413484 Cotswold +n02413593 Hampshire, Hampshire down +n02413717 Lincoln +n02413824 Exmoor +n02413917 Cheviot +n02414043 broadtail, caracul, karakul +n02414209 longwool +n02414290 merino, merino sheep +n02414442 Rambouillet +n02414578 wild sheep +n02414763 argali, argal, Ovis ammon +n02414904 Marco Polo sheep, Marco Polo's sheep, Ovis poli +n02415130 urial, Ovis vignei +n02415253 Dall sheep, Dall's sheep, white sheep, Ovis montana dalli +n02415435 mountain sheep +n02415577 bighorn, bighorn sheep, cimarron, Rocky Mountain bighorn, Rocky Mountain sheep, Ovis canadensis +n02415829 mouflon, moufflon, Ovis musimon +n02416104 aoudad, arui, audad, Barbary sheep, maned sheep, Ammotragus lervia +n02416519 goat, caprine animal +n02416820 kid +n02416880 billy, billy goat, he-goat +n02416964 nanny, nanny-goat, she-goat +n02417070 domestic goat, Capra hircus +n02417242 Cashmere goat, Kashmir goat +n02417387 Angora, Angora goat +n02417534 wild goat +n02417663 bezoar goat, pasang, Capra aegagrus +n02417785 markhor, markhoor, Capra falconeri +n02417914 ibex, Capra ibex +n02418064 goat antelope +n02418465 mountain goat, Rocky Mountain goat, Oreamnos americanus +n02418770 goral, Naemorhedus goral +n02419056 serow +n02419336 chamois, Rupicapra rupicapra +n02419634 takin, gnu goat, Budorcas taxicolor +n02419796 antelope +n02420509 blackbuck, black buck, Antilope cervicapra +n02420828 gerenuk, Litocranius walleri +n02421136 addax, Addax nasomaculatus +n02421449 gnu, wildebeest +n02421792 dik-dik +n02422106 hartebeest +n02422391 sassaby, topi, Damaliscus lunatus +n02422699 impala, Aepyceros melampus +n02423022 gazelle +n02423218 Thomson's gazelle, Gazella thomsoni +n02423362 Gazella subgutturosa +n02423589 springbok, springbuck, Antidorcas marsupialis, Antidorcas euchore +n02424085 bongo, Tragelaphus eurycerus, Boocercus eurycerus +n02424305 kudu, koodoo, koudou +n02424486 greater kudu, Tragelaphus strepsiceros +n02424589 lesser kudu, Tragelaphus imberbis +n02424695 harnessed antelope +n02424909 nyala, Tragelaphus angasi +n02425086 mountain nyala, Tragelaphus buxtoni +n02425228 bushbuck, guib, Tragelaphus scriptus +n02425532 nilgai, nylghai, nylghau, blue bull, Boselaphus tragocamelus +n02425887 sable antelope, Hippotragus niger +n02426176 saiga, Saiga tatarica +n02426481 steenbok, steinbok, Raphicerus campestris +n02426813 eland +n02427032 common eland, Taurotragus oryx +n02427183 giant eland, Taurotragus derbianus +n02427470 kob, Kobus kob +n02427576 lechwe, Kobus leche +n02427724 waterbuck +n02428089 puku, Adenota vardoni +n02428349 oryx, pasang +n02428508 gemsbok, gemsbuck, Oryx gazella +n02428842 forest goat, spindle horn, Pseudoryx nghetinhensis +n02429456 pronghorn, prongbuck, pronghorn antelope, American antelope, Antilocapra americana +n02430045 deer, cervid +n02430559 stag +n02430643 royal, royal stag +n02430748 pricket +n02430830 fawn +n02431122 red deer, elk, American elk, wapiti, Cervus elaphus +n02431337 hart, stag +n02431441 hind +n02431542 brocket +n02431628 sambar, sambur, Cervus unicolor +n02431785 wapiti, elk, American elk, Cervus elaphus canadensis +n02431976 Japanese deer, sika, Cervus nipon, Cervus sika +n02432291 Virginia deer, white tail, whitetail, white-tailed deer, whitetail deer, Odocoileus Virginianus +n02432511 mule deer, burro deer, Odocoileus hemionus +n02432704 black-tailed deer, blacktail deer, blacktail, Odocoileus hemionus columbianus +n02432983 elk, European elk, moose, Alces alces +n02433318 fallow deer, Dama dama +n02433546 roe deer, Capreolus capreolus +n02433729 roebuck +n02433925 caribou, reindeer, Greenland caribou, Rangifer tarandus +n02434190 woodland caribou, Rangifer caribou +n02434415 barren ground caribou, Rangifer arcticus +n02434712 brocket +n02434954 muntjac, barking deer +n02435216 musk deer, Moschus moschiferus +n02435517 pere david's deer, elaphure, Elaphurus davidianus +n02435853 chevrotain, mouse deer +n02436224 kanchil, Tragulus kanchil +n02436353 napu, Tragulus Javanicus +n02436645 water chevrotain, water deer, Hyemoschus aquaticus +n02437136 camel +n02437312 Arabian camel, dromedary, Camelus dromedarius +n02437482 Bactrian camel, Camelus bactrianus +n02437616 llama +n02437971 domestic llama, Lama peruana +n02438173 guanaco, Lama guanicoe +n02438272 alpaca, Lama pacos +n02438580 vicuna, Vicugna vicugna +n02439033 giraffe, camelopard, Giraffa camelopardalis +n02439398 okapi, Okapia johnstoni +n02441326 musteline mammal, mustelid, musteline +n02441942 weasel +n02442172 ermine, shorttail weasel, Mustela erminea +n02442336 stoat +n02442446 New World least weasel, Mustela rixosa +n02442572 Old World least weasel, Mustela nivalis +n02442668 longtail weasel, long-tailed weasel, Mustela frenata +n02442845 mink +n02443015 American mink, Mustela vison +n02443114 polecat, fitch, foulmart, foumart, Mustela putorius +n02443346 ferret +n02443484 black-footed ferret, ferret, Mustela nigripes +n02443808 muishond +n02443959 snake muishond, Poecilogale albinucha +n02444251 striped muishond, Ictonyx striata +n02444819 otter +n02445004 river otter, Lutra canadensis +n02445171 Eurasian otter, Lutra lutra +n02445394 sea otter, Enhydra lutris +n02445715 skunk, polecat, wood pussy +n02446206 striped skunk, Mephitis mephitis +n02446352 hooded skunk, Mephitis macroura +n02446645 hog-nosed skunk, hognosed skunk, badger skunk, rooter skunk, Conepatus leuconotus +n02447021 spotted skunk, little spotted skunk, Spilogale putorius +n02447366 badger +n02447762 American badger, Taxidea taxus +n02448060 Eurasian badger, Meles meles +n02448318 ratel, honey badger, Mellivora capensis +n02448633 ferret badger +n02448885 hog badger, hog-nosed badger, sand badger, Arctonyx collaris +n02449183 wolverine, carcajou, skunk bear, Gulo luscus +n02449350 glutton, Gulo gulo, wolverine +n02449699 grison, Grison vittatus, Galictis vittatus +n02450034 marten, marten cat +n02450295 pine marten, Martes martes +n02450426 sable, Martes zibellina +n02450561 American marten, American sable, Martes americana +n02450677 stone marten, beech marten, Martes foina +n02450829 fisher, pekan, fisher cat, black cat, Martes pennanti +n02451125 yellow-throated marten, Charronia flavigula +n02451415 tayra, taira, Eira barbara +n02451575 fictional animal +n02453108 pachyderm +n02453611 edentate +n02454379 armadillo +n02454794 peba, nine-banded armadillo, Texas armadillo, Dasypus novemcinctus +n02455135 apar, three-banded armadillo, Tolypeutes tricinctus +n02455428 tatouay, cabassous, Cabassous unicinctus +n02455720 peludo, poyou, Euphractus sexcinctus +n02456008 giant armadillo, tatou, tatu, Priodontes giganteus +n02456275 pichiciago, pichiciego, fairy armadillo, chlamyphore, Chlamyphorus truncatus +n02456962 sloth, tree sloth +n02457408 three-toed sloth, ai, Bradypus tridactylus +n02457945 two-toed sloth, unau, unai, Choloepus didactylus +n02458135 two-toed sloth, unau, unai, Choloepus hoffmanni +n02458517 megatherian, megatheriid, megatherian mammal +n02459190 mylodontid +n02460009 anteater, New World anteater +n02460451 ant bear, giant anteater, great anteater, tamanoir, Myrmecophaga jubata +n02460817 silky anteater, two-toed anteater, Cyclopes didactylus +n02461128 tamandua, tamandu, lesser anteater, Tamandua tetradactyla +n02461830 pangolin, scaly anteater, anteater +n02462213 coronet +n02469248 scapular +n02469472 tadpole, polliwog, pollywog +n02469914 primate +n02470238 simian +n02470325 ape +n02470709 anthropoid +n02470899 anthropoid ape +n02471300 hominoid +n02471762 hominid +n02472293 homo, man, human being, human +n02472987 world, human race, humanity, humankind, human beings, humans, mankind, man +n02473307 Homo erectus +n02473554 Pithecanthropus, Pithecanthropus erectus, genus Pithecanthropus +n02473720 Java man, Trinil man +n02473857 Peking man +n02473983 Sinanthropus, genus Sinanthropus +n02474110 Homo soloensis +n02474282 Javanthropus, genus Javanthropus +n02474605 Homo habilis +n02474777 Homo sapiens +n02475078 Neandertal man, Neanderthal man, Neandertal, Neanderthal, Homo sapiens neanderthalensis +n02475358 Cro-magnon +n02475669 Homo sapiens sapiens, modern man +n02476219 australopithecine +n02476567 Australopithecus afarensis +n02476870 Australopithecus africanus +n02477028 Australopithecus boisei +n02477187 Zinjanthropus, genus Zinjanthropus +n02477329 Australopithecus robustus +n02477516 Paranthropus, genus Paranthropus +n02477782 Sivapithecus +n02478239 rudapithecus, Dryopithecus Rudapithecus hungaricus +n02478875 proconsul +n02479332 Aegyptopithecus +n02480153 great ape, pongid +n02480495 orangutan, orang, orangutang, Pongo pygmaeus +n02480855 gorilla, Gorilla gorilla +n02481103 western lowland gorilla, Gorilla gorilla gorilla +n02481235 eastern lowland gorilla, Gorilla gorilla grauri +n02481366 mountain gorilla, Gorilla gorilla beringei +n02481500 silverback +n02481823 chimpanzee, chimp, Pan troglodytes +n02482060 western chimpanzee, Pan troglodytes verus +n02482286 eastern chimpanzee, Pan troglodytes schweinfurthii +n02482474 central chimpanzee, Pan troglodytes troglodytes +n02482650 pygmy chimpanzee, bonobo, Pan paniscus +n02483092 lesser ape +n02483362 gibbon, Hylobates lar +n02483708 siamang, Hylobates syndactylus, Symphalangus syndactylus +n02484322 monkey +n02484473 Old World monkey, catarrhine +n02484975 guenon, guenon monkey +n02485225 talapoin, Cercopithecus talapoin +n02485371 grivet, Cercopithecus aethiops +n02485536 vervet, vervet monkey, Cercopithecus aethiops pygerythrus +n02485688 green monkey, African green monkey, Cercopithecus aethiops sabaeus +n02485988 mangabey +n02486261 patas, hussar monkey, Erythrocebus patas +n02486410 baboon +n02486657 chacma, chacma baboon, Papio ursinus +n02486908 mandrill, Mandrillus sphinx +n02487079 drill, Mandrillus leucophaeus +n02487347 macaque +n02487547 rhesus, rhesus monkey, Macaca mulatta +n02487675 bonnet macaque, bonnet monkey, capped macaque, crown monkey, Macaca radiata +n02487847 Barbary ape, Macaca sylvana +n02488003 crab-eating macaque, croo monkey, Macaca irus +n02488291 langur +n02488415 entellus, hanuman, Presbytes entellus, Semnopithecus entellus +n02488702 colobus, colobus monkey +n02488894 guereza, Colobus guereza +n02489166 proboscis monkey, Nasalis larvatus +n02489589 New World monkey, platyrrhine, platyrrhinian +n02490219 marmoset +n02490597 true marmoset +n02490811 pygmy marmoset, Cebuella pygmaea +n02491107 tamarin, lion monkey, lion marmoset, leoncita +n02491329 silky tamarin, Leontocebus rosalia +n02491474 pinche, Leontocebus oedipus +n02492035 capuchin, ringtail, Cebus capucinus +n02492356 douroucouli, Aotus trivirgatus +n02492660 howler monkey, howler +n02492948 saki +n02493224 uakari +n02493509 titi, titi monkey +n02493793 spider monkey, Ateles geoffroyi +n02494079 squirrel monkey, Saimiri sciureus +n02494383 woolly monkey +n02495242 tree shrew +n02496052 prosimian +n02496913 lemur +n02497673 Madagascar cat, ring-tailed lemur, Lemur catta +n02498153 aye-aye, Daubentonia madagascariensis +n02498743 slender loris, Loris gracilis +n02499022 slow loris, Nycticebus tardigradua, Nycticebus pygmaeus +n02499316 potto, kinkajou, Perodicticus potto +n02499568 angwantibo, golden potto, Arctocebus calabarensis +n02499808 galago, bushbaby, bush baby +n02500267 indri, indris, Indri indri, Indri brevicaudatus +n02500596 woolly indris, Avahi laniger +n02501583 tarsier +n02501923 Tarsius syrichta +n02502006 Tarsius glis +n02502514 flying lemur, flying cat, colugo +n02502807 Cynocephalus variegatus +n02503127 proboscidean, proboscidian +n02503517 elephant +n02503756 rogue elephant +n02504013 Indian elephant, Elephas maximus +n02504458 African elephant, Loxodonta africana +n02504770 mammoth +n02505063 woolly mammoth, northern mammoth, Mammuthus primigenius +n02505238 columbian mammoth, Mammuthus columbi +n02505485 imperial mammoth, imperial elephant, Archidiskidon imperator +n02505998 mastodon, mastodont +n02506947 plantigrade mammal, plantigrade +n02507148 digitigrade mammal, digitigrade +n02507649 procyonid +n02508021 raccoon, racoon +n02508213 common raccoon, common racoon, coon, ringtail, Procyon lotor +n02508346 crab-eating raccoon, Procyon cancrivorus +n02508742 bassarisk, cacomistle, cacomixle, coon cat, raccoon fox, ringtail, ring-tailed cat, civet cat, miner's cat, Bassariscus astutus +n02509197 kinkajou, honey bear, potto, Potos flavus, Potos caudivolvulus +n02509515 coati, coati-mondi, coati-mundi, coon cat, Nasua narica +n02509815 lesser panda, red panda, panda, bear cat, cat bear, Ailurus fulgens +n02510455 giant panda, panda, panda bear, coon bear, Ailuropoda melanoleuca +n02511730 twitterer +n02512053 fish +n02512752 fingerling +n02512830 game fish, sport fish +n02512938 food fish +n02513248 rough fish +n02513355 groundfish, bottom fish +n02513560 young fish +n02513727 parr +n02513805 mouthbreeder +n02513939 spawner +n02514041 barracouta, snoek +n02515214 crossopterygian, lobefin, lobe-finned fish +n02515713 coelacanth, Latimeria chalumnae +n02516188 lungfish +n02516776 ceratodus +n02517442 catfish, siluriform fish +n02517938 silurid, silurid fish +n02518324 European catfish, sheatfish, Silurus glanis +n02518622 electric catfish, Malopterurus electricus +n02519148 bullhead, bullhead catfish +n02519340 horned pout, hornpout, pout, Ameiurus Melas +n02519472 brown bullhead +n02519686 channel catfish, channel cat, Ictalurus punctatus +n02519862 blue catfish, blue cat, blue channel catfish, blue channel cat +n02520147 flathead catfish, mudcat, goujon, shovelnose catfish, spoonbill catfish, Pylodictus olivaris +n02520525 armored catfish +n02520810 sea catfish +n02521646 gadoid, gadoid fish +n02522399 cod, codfish +n02522637 codling +n02522722 Atlantic cod, Gadus morhua +n02522866 Pacific cod, Alaska cod, Gadus macrocephalus +n02523110 whiting, Merlangus merlangus, Gadus merlangus +n02523427 burbot, eelpout, ling, cusk, Lota lota +n02523877 haddock, Melanogrammus aeglefinus +n02524202 pollack, pollock, Pollachius pollachius +n02524524 hake +n02524659 silver hake, Merluccius bilinearis, whiting +n02524928 ling +n02525382 cusk, torsk, Brosme brosme +n02525703 grenadier, rattail, rattail fish +n02526121 eel +n02526425 elver +n02526818 common eel, freshwater eel +n02527057 tuna, Anguilla sucklandii +n02527271 moray, moray eel +n02527622 conger, conger eel +n02528163 teleost fish, teleost, teleostan +n02529293 beaked salmon, sandfish, Gonorhynchus gonorhynchus +n02529772 clupeid fish, clupeid +n02530052 whitebait +n02530188 brit, britt +n02530421 shad +n02530637 common American shad, Alosa sapidissima +n02530831 river shad, Alosa chrysocloris +n02530999 allice shad, allis shad, allice, allis, Alosa alosa +n02531114 alewife, Alosa pseudoharengus, Pomolobus pseudoharengus +n02531625 menhaden, Brevoortia tyrannis +n02532028 herring, Clupea harangus +n02532272 Atlantic herring, Clupea harengus harengus +n02532451 Pacific herring, Clupea harengus pallasii +n02532602 sardine +n02532786 sild +n02532918 brisling, sprat, Clupea sprattus +n02533209 pilchard, sardine, Sardina pilchardus +n02533545 Pacific sardine, Sardinops caerulea +n02533834 anchovy +n02534165 mediterranean anchovy, Engraulis encrasicholus +n02534559 salmonid +n02534734 salmon +n02535080 parr +n02535163 blackfish +n02535258 redfish +n02535537 Atlantic salmon, Salmo salar +n02535759 landlocked salmon, lake salmon +n02536165 sockeye, sockeye salmon, red salmon, blueback salmon, Oncorhynchus nerka +n02536456 chinook, chinook salmon, king salmon, quinnat salmon, Oncorhynchus tshawytscha +n02536864 coho, cohoe, coho salmon, blue jack, silver salmon, Oncorhynchus kisutch +n02537085 trout +n02537319 brown trout, salmon trout, Salmo trutta +n02537525 rainbow trout, Salmo gairdneri +n02537716 sea trout +n02538010 lake trout, salmon trout, Salvelinus namaycush +n02538216 brook trout, speckled trout, Salvelinus fontinalis +n02538406 char, charr +n02538562 Arctic char, Salvelinus alpinus +n02538985 whitefish +n02539424 lake whitefish, Coregonus clupeaformis +n02539573 cisco, lake herring, Coregonus artedi +n02539894 round whitefish, Menominee whitefish, Prosopium cylindraceum +n02540412 smelt +n02540983 sparling, European smelt, Osmerus eperlanus +n02541257 capelin, capelan, caplin +n02541687 tarpon, Tarpon atlanticus +n02542017 ladyfish, tenpounder, Elops saurus +n02542432 bonefish, Albula vulpes +n02542958 argentine +n02543255 lanternfish +n02543565 lizardfish, snakefish, snake-fish +n02544274 lancetfish, lancet fish, wolffish +n02545841 opah, moonfish, Lampris regius +n02546028 New World opah, Lampris guttatus +n02546331 ribbonfish +n02546627 dealfish, Trachipterus arcticus +n02547014 oarfish, king of the herring, ribbonfish, Regalecus glesne +n02547733 batfish +n02548247 goosefish, angler, anglerfish, angler fish, monkfish, lotte, allmouth, Lophius Americanus +n02548689 toadfish, Opsanus tau +n02548884 oyster fish, oyster-fish, oysterfish +n02549248 frogfish +n02549376 sargassum fish +n02549989 needlefish, gar, billfish +n02550203 timucu +n02550460 flying fish +n02550655 monoplane flying fish, two-wing flying fish +n02551134 halfbeak +n02551668 saury, billfish, Scomberesox saurus +n02552171 spiny-finned fish, acanthopterygian +n02553028 lingcod, Ophiodon elongatus +n02554730 percoid fish, percoid, percoidean +n02555863 perch +n02556373 climbing perch, Anabas testudineus, A. testudineus +n02556846 perch +n02557182 yellow perch, Perca flavescens +n02557318 European perch, Perca fluviatilis +n02557591 pike-perch, pike perch +n02557749 walleye, walleyed pike, jack salmon, dory, Stizostedion vitreum +n02557909 blue pike, blue pickerel, blue pikeperch, blue walleye, Strizostedion vitreum glaucum +n02558206 snail darter, Percina tanasi +n02558860 cusk-eel +n02559144 brotula +n02559383 pearlfish, pearl-fish +n02559862 robalo +n02560110 snook +n02561108 pike +n02561381 northern pike, Esox lucius +n02561514 muskellunge, Esox masquinongy +n02561661 pickerel +n02561803 chain pickerel, chain pike, Esox niger +n02561937 redfin pickerel, barred pickerel, Esox americanus +n02562315 sunfish, centrarchid +n02562796 crappie +n02562971 black crappie, Pomoxis nigromaculatus +n02563079 white crappie, Pomoxis annularis +n02563182 freshwater bream, bream +n02563648 pumpkinseed, Lepomis gibbosus +n02563792 bluegill, Lepomis macrochirus +n02563949 spotted sunfish, stumpknocker, Lepomis punctatus +n02564270 freshwater bass +n02564403 rock bass, rock sunfish, Ambloplites rupestris +n02564720 black bass +n02564935 Kentucky black bass, spotted black bass, Micropterus pseudoplites +n02565072 smallmouth, smallmouth bass, smallmouthed bass, smallmouth black bass, smallmouthed black bass, Micropterus dolomieu +n02565324 largemouth, largemouth bass, largemouthed bass, largemouth black bass, largemouthed black bass, Micropterus salmoides +n02565573 bass +n02566109 serranid fish, serranid +n02566489 white perch, silver perch, Morone americana +n02566665 yellow bass, Morone interrupta +n02567334 blackmouth bass, Synagrops bellus +n02567633 rock sea bass, rock bass, Centropristis philadelphica +n02568087 striped bass, striper, Roccus saxatilis, rockfish +n02568447 stone bass, wreckfish, Polyprion americanus +n02568959 grouper +n02569484 hind +n02569631 rock hind, Epinephelus adscensionis +n02569905 creole-fish, Paranthias furcifer +n02570164 jewfish, Mycteroperca bonaci +n02570484 soapfish +n02570838 surfperch, surffish, surf fish +n02571167 rainbow seaperch, rainbow perch, Hipsurus caryi +n02571652 bigeye +n02571810 catalufa, Priacanthus arenatus +n02572196 cardinalfish +n02572484 flame fish, flamefish, Apogon maculatus +n02573249 tilefish, Lopholatilus chamaeleonticeps +n02573704 bluefish, Pomatomus saltatrix +n02574271 cobia, Rachycentron canadum, sergeant fish +n02574910 remora, suckerfish, sucking fish +n02575325 sharksucker, Echeneis naucrates +n02575590 whale sucker, whalesucker, Remilegia australis +n02576223 carangid fish, carangid +n02576575 jack +n02576906 crevalle jack, jack crevalle, Caranx hippos +n02577041 yellow jack, Caranx bartholomaei +n02577164 runner, blue runner, Caranx crysos +n02577403 rainbow runner, Elagatis bipinnulata +n02577662 leatherjacket, leatherjack +n02577952 threadfish, thread-fish, Alectis ciliaris +n02578233 moonfish, Atlantic moonfish, horsefish, horsehead, horse-head, dollarfish, Selene setapinnis +n02578454 lookdown, lookdown fish, Selene vomer +n02578771 amberjack, amberfish +n02578928 yellowtail, Seriola dorsalis +n02579303 kingfish, Seriola grandis +n02579557 pompano +n02579762 Florida pompano, Trachinotus carolinus +n02579928 permit, Trachinotus falcatus +n02580336 scad +n02580679 horse mackerel, jack mackerel, Spanish mackerel, saurel, Trachurus symmetricus +n02580830 horse mackerel, saurel, Trachurus trachurus +n02581108 bigeye scad, big-eyed scad, goggle-eye, Selar crumenophthalmus +n02581482 mackerel scad, mackerel shad, Decapterus macarellus +n02581642 round scad, cigarfish, quiaquia, Decapterus punctatus +n02581957 dolphinfish, dolphin, mahimahi +n02582220 Coryphaena hippurus +n02582349 Coryphaena equisetis +n02582721 pomfret, Brama raii +n02583567 characin, characin fish, characid +n02583890 tetra +n02584145 cardinal tetra, Paracheirodon axelrodi +n02584449 piranha, pirana, caribe +n02585872 cichlid, cichlid fish +n02586238 bolti, Tilapia nilotica +n02586543 snapper +n02587051 red snapper, Lutjanus blackfordi +n02587300 grey snapper, gray snapper, mangrove snapper, Lutjanus griseus +n02587479 mutton snapper, muttonfish, Lutjanus analis +n02587618 schoolmaster, Lutjanus apodus +n02587877 yellowtail, yellowtail snapper, Ocyurus chrysurus +n02588286 grunt +n02588794 margate, Haemulon album +n02588945 Spanish grunt, Haemulon macrostomum +n02589062 tomtate, Haemulon aurolineatum +n02589196 cottonwick, Haemulon malanurum +n02589316 sailor's-choice, sailors choice, Haemulon parra +n02589623 porkfish, pork-fish, Anisotremus virginicus +n02589796 pompon, black margate, Anisotremus surinamensis +n02590094 pigfish, hogfish, Orthopristis chrysopterus +n02590495 sparid, sparid fish +n02590702 sea bream, bream +n02590987 porgy +n02591330 red porgy, Pagrus pagrus +n02591613 European sea bream, Pagellus centrodontus +n02591911 Atlantic sea bream, Archosargus rhomboidalis +n02592055 sheepshead, Archosargus probatocephalus +n02592371 pinfish, sailor's-choice, squirrelfish, Lagodon rhomboides +n02592734 sheepshead porgy, Calamus penna +n02593019 snapper, Chrysophrys auratus +n02593191 black bream, Chrysophrys australis +n02593453 scup, northern porgy, northern scup, Stenotomus chrysops +n02593679 scup, southern porgy, southern scup, Stenotomus aculeatus +n02594250 sciaenid fish, sciaenid +n02594942 striped drum, Equetus pulcher +n02595056 jackknife-fish, Equetus lanceolatus +n02595339 silver perch, mademoiselle, Bairdiella chrysoura +n02595702 red drum, channel bass, redfish, Sciaenops ocellatus +n02596067 mulloway, jewfish, Sciaena antarctica +n02596252 maigre, maiger, Sciaena aquila +n02596381 croaker +n02596720 Atlantic croaker, Micropogonias undulatus +n02597004 yellowfin croaker, surffish, surf fish, Umbrina roncador +n02597367 whiting +n02597608 kingfish +n02597818 king whiting, Menticirrhus americanus +n02597972 northern whiting, Menticirrhus saxatilis +n02598134 corbina, Menticirrhus undulatus +n02598573 white croaker, chenfish, kingfish, Genyonemus lineatus +n02598878 white croaker, queenfish, Seriphus politus +n02599052 sea trout +n02599347 weakfish, Cynoscion regalis +n02599557 spotted weakfish, spotted sea trout, spotted squeateague, Cynoscion nebulosus +n02599958 mullet +n02600298 goatfish, red mullet, surmullet, Mullus surmuletus +n02600503 red goatfish, Mullus auratus +n02600798 yellow goatfish, Mulloidichthys martinicus +n02601344 mullet, grey mullet, gray mullet +n02601767 striped mullet, Mugil cephalus +n02601921 white mullet, Mugil curema +n02602059 liza, Mugil liza +n02602405 silversides, silverside +n02602760 jacksmelt, Atherinopsis californiensis +n02603317 barracuda +n02603540 great barracuda, Sphyraena barracuda +n02603862 sweeper +n02604157 sea chub +n02604480 Bermuda chub, rudderfish, Kyphosus sectatrix +n02604954 spadefish, angelfish, Chaetodipterus faber +n02605316 butterfly fish +n02605703 chaetodon +n02605936 angelfish +n02606052 rock beauty, Holocanthus tricolor +n02606384 damselfish, demoiselle +n02606751 beaugregory, Pomacentrus leucostictus +n02607072 anemone fish +n02607201 clown anemone fish, Amphiprion percula +n02607470 sergeant major, Abudefduf saxatilis +n02607862 wrasse +n02608284 pigfish, giant pigfish, Achoerodus gouldii +n02608547 hogfish, hog snapper, Lachnolaimus maximus +n02608860 slippery dick, Halicoeres bivittatus +n02608996 puddingwife, pudding-wife, Halicoeres radiatus +n02609302 bluehead, Thalassoma bifasciatum +n02609823 pearly razorfish, Hemipteronatus novacula +n02610066 tautog, blackfish, Tautoga onitis +n02610373 cunner, bergall, Tautogolabrus adspersus +n02610664 parrotfish, polly fish, pollyfish +n02610980 threadfin +n02611561 jawfish +n02611898 stargazer +n02612167 sand stargazer +n02613181 blenny, combtooth blenny +n02613572 shanny, Blennius pholis +n02613820 Molly Miller, Scartella cristata +n02614140 clinid, clinid fish +n02614482 pikeblenny +n02614653 bluethroat pikeblenny, Chaenopsis ocellata +n02614978 gunnel, bracketed blenny +n02615298 rock gunnel, butterfish, Pholis gunnellus +n02616128 eelblenny +n02616397 wrymouth, ghostfish, Cryptacanthodes maculatus +n02616851 wolffish, wolf fish, catfish +n02617537 viviparous eelpout, Zoarces viviparus +n02618094 ocean pout, Macrozoarces americanus +n02618513 sand lance, sand launce, sand eel, launce +n02618827 dragonet +n02619165 goby, gudgeon +n02619550 mudskipper, mudspringer +n02619861 sleeper, sleeper goby +n02620167 flathead +n02620578 archerfish, Toxotes jaculatrix +n02621258 surgeonfish +n02621908 gempylid +n02622249 snake mackerel, Gempylus serpens +n02622547 escolar, Lepidocybium flavobrunneum +n02622712 oilfish, Ruvettus pretiosus +n02622955 cutlassfish, frost fish, hairtail +n02623445 scombroid, scombroid fish +n02624167 mackerel +n02624551 common mackerel, shiner, Scomber scombrus +n02624807 Spanish mackerel, Scomber colias +n02624987 chub mackerel, tinker, Scomber japonicus +n02625258 wahoo, Acanthocybium solandri +n02625612 Spanish mackerel +n02625851 king mackerel, cavalla, cero, Scomberomorus cavalla +n02626089 Scomberomorus maculatus +n02626265 cero, pintado, kingfish, Scomberomorus regalis +n02626471 sierra, Scomberomorus sierra +n02626762 tuna, tunny +n02627037 albacore, long-fin tunny, Thunnus alalunga +n02627292 bluefin, bluefin tuna, horse mackerel, Thunnus thynnus +n02627532 yellowfin, yellowfin tuna, Thunnus albacares +n02627835 bonito +n02628062 skipjack, Atlantic bonito, Sarda sarda +n02628259 Chile bonito, Chilean bonito, Pacific bonito, Sarda chiliensis +n02628600 skipjack, skipjack tuna, Euthynnus pelamis +n02629230 bonito, oceanic bonito, Katsuwonus pelamis +n02629716 swordfish, Xiphias gladius +n02630281 sailfish +n02630615 Atlantic sailfish, Istiophorus albicans +n02630739 billfish +n02631041 marlin +n02631330 blue marlin, Makaira nigricans +n02631475 black marlin, Makaira mazara, Makaira marlina +n02631628 striped marlin, Makaira mitsukurii +n02631775 white marlin, Makaira albida +n02632039 spearfish +n02632494 louvar, Luvarus imperialis +n02633422 dollarfish, Poronotus triacanthus +n02633677 palometa, California pompano, Palometa simillima +n02633977 harvestfish, Paprilus alepidotus +n02634545 driftfish +n02635154 barrelfish, black rudderfish, Hyperglyphe perciformis +n02635580 clingfish +n02636170 tripletail +n02636405 Atlantic tripletail, Lobotes surinamensis +n02636550 Pacific tripletail, Lobotes pacificus +n02636854 mojarra +n02637179 yellowfin mojarra, Gerres cinereus +n02637475 silver jenny, Eucinostomus gula +n02637977 whiting +n02638596 ganoid, ganoid fish +n02639087 bowfin, grindle, dogfish, Amia calva +n02639605 paddlefish, duckbill, Polyodon spathula +n02639922 Chinese paddlefish, Psephurus gladis +n02640242 sturgeon +n02640626 Pacific sturgeon, white sturgeon, Sacramento sturgeon, Acipenser transmontanus +n02640857 beluga, hausen, white sturgeon, Acipenser huso +n02641379 gar, garfish, garpike, billfish, Lepisosteus osseus +n02642107 scorpaenoid, scorpaenoid fish +n02642644 scorpaenid, scorpaenid fish +n02643112 scorpionfish, scorpion fish, sea scorpion +n02643316 plumed scorpionfish, Scorpaena grandicornis +n02643566 lionfish +n02643836 stonefish, Synanceja verrucosa +n02644113 rockfish +n02644360 copper rockfish, Sebastodes caurinus +n02644501 vermillion rockfish, rasher, Sebastodes miniatus +n02644665 red rockfish, Sebastodes ruberrimus +n02644817 rosefish, ocean perch, Sebastodes marinus +n02645538 bullhead +n02645691 miller's-thumb +n02645953 sea raven, Hemitripterus americanus +n02646667 lumpfish, Cyclopterus lumpus +n02646892 lumpsucker +n02648035 pogge, armed bullhead, Agonus cataphractus +n02648625 greenling +n02648916 kelp greenling, Hexagrammos decagrammus +n02649218 painted greenling, convict fish, convictfish, Oxylebius pictus +n02649546 flathead +n02650050 gurnard +n02650413 tub gurnard, yellow gurnard, Trigla lucerna +n02650541 sea robin, searobin +n02651060 northern sea robin, Prionotus carolinus +n02652132 flying gurnard, flying robin, butterflyfish +n02652668 plectognath, plectognath fish +n02653145 triggerfish +n02653497 queen triggerfish, Bessy cerca, oldwench, oldwife, Balistes vetula +n02653786 filefish +n02654112 leatherjacket, leatherfish +n02654425 boxfish, trunkfish +n02654745 cowfish, Lactophrys quadricornis +n02655020 puffer, pufferfish, blowfish, globefish +n02655523 spiny puffer +n02655848 porcupinefish, porcupine fish, Diodon hystrix +n02656032 balloonfish, Diodon holocanthus +n02656301 burrfish +n02656670 ocean sunfish, sunfish, mola, headfish +n02656969 sharptail mola, Mola lanceolata +n02657368 flatfish +n02657694 flounder +n02658079 righteye flounder, righteyed flounder +n02658531 plaice, Pleuronectes platessa +n02658811 European flatfish, Platichthys flesus +n02659176 yellowtail flounder, Limanda ferruginea +n02659478 winter flounder, blackback flounder, lemon sole, Pseudopleuronectes americanus +n02659808 lemon sole, Microstomus kitt +n02660091 American plaice, Hippoglossoides platessoides +n02660208 halibut, holibut +n02660519 Atlantic halibut, Hippoglossus hippoglossus +n02660640 Pacific halibut, Hippoglossus stenolepsis +n02661017 lefteye flounder, lefteyed flounder +n02661473 southern flounder, Paralichthys lethostigmus +n02661618 summer flounder, Paralichthys dentatus +n02662239 whiff +n02662397 horned whiff, Citharichthys cornutus +n02662559 sand dab +n02662825 windowpane, Scophthalmus aquosus +n02662993 brill, Scophthalmus rhombus +n02663211 turbot, Psetta maxima +n02663485 tonguefish, tongue-fish +n02663849 sole +n02664285 European sole, Solea solea +n02664642 English sole, lemon sole, Parophrys vitulus +n02665250 hogchoker, Trinectes maculatus +n02665985 aba +n02666196 abacus +n02666501 abandoned ship, derelict +n02666624 A battery +n02666943 abattoir, butchery, shambles, slaughterhouse +n02667093 abaya +n02667244 Abbe condenser +n02667379 abbey +n02667478 abbey +n02667576 abbey +n02667693 Abney level +n02668393 abrader, abradant +n02668613 abrading stone +n02669295 abutment +n02669442 abutment arch +n02669534 academic costume +n02669723 academic gown, academic robe, judge's robe +n02670186 accelerator, throttle, throttle valve +n02670382 accelerator, particle accelerator, atom smasher +n02670683 accelerator, accelerator pedal, gas pedal, gas, throttle, gun +n02670935 accelerometer +n02671780 accessory, accoutrement, accouterment +n02672152 accommodating lens implant, accommodating IOL +n02672371 accommodation +n02672831 accordion, piano accordion, squeeze box +n02675077 acetate disk, phonograph recording disk +n02675219 acetate rayon, acetate +n02675522 achromatic lens +n02676097 acoustic delay line, sonic delay line +n02676261 acoustic device +n02676566 acoustic guitar +n02676670 acoustic modem +n02676938 acropolis +n02677028 acrylic +n02677136 acrylic, acrylic paint +n02677436 actinometer +n02677718 action, action mechanism +n02678010 active matrix screen +n02678384 actuator +n02678897 adapter, adaptor +n02679142 adder +n02679257 adding machine, totalizer, totaliser +n02679961 addressing machine, Addressograph +n02680110 adhesive bandage +n02680512 adit +n02680638 adjoining room +n02680754 adjustable wrench, adjustable spanner +n02681392 adobe, adobe brick +n02682311 adz, adze +n02682407 aeolian harp, aeolian lyre, wind harp +n02682569 aerator +n02682811 aerial torpedo +n02682922 aerosol, aerosol container, aerosol can, aerosol bomb, spray can +n02683183 Aertex +n02683323 afghan +n02683454 Afro-wig +n02683558 afterburner +n02683791 after-shave, after-shave lotion +n02684248 agateware +n02684356 agglomerator +n02684515 aglet, aiglet, aiguilette +n02684649 aglet, aiglet +n02684962 agora, public square +n02685082 aigrette, aigret +n02685253 aileron +n02685365 air bag +n02685701 airbrake +n02685995 airbrush +n02686121 airbus +n02686227 air compressor +n02686379 air conditioner, air conditioning +n02686568 aircraft +n02687172 aircraft carrier, carrier, flattop, attack aircraft carrier +n02687423 aircraft engine +n02687682 air cushion, air spring +n02687821 airdock, hangar, repair shed +n02687992 airfield, landing field, flying field, field +n02688273 air filter, air cleaner +n02688443 airfoil, aerofoil, control surface, surface +n02689144 airframe +n02689274 air gun, airgun, air rifle +n02689434 air hammer, jackhammer, pneumatic hammer +n02689748 air horn +n02689819 airing cupboard +n02690373 airliner +n02690715 airmailer +n02691156 airplane, aeroplane, plane +n02692086 airplane propeller, airscrew, prop +n02692232 airport, airdrome, aerodrome, drome +n02692513 air pump, vacuum pump +n02692680 air search radar +n02692877 airship, dirigible +n02693246 air terminal, airport terminal +n02693413 air-to-air missile +n02693540 air-to-ground missile, air-to-surface missile +n02694045 aisle +n02694279 Aladdin's lamp +n02694426 alarm, warning device, alarm system +n02694662 alarm clock, alarm +n02694966 alb +n02695627 alcazar +n02695762 alcohol thermometer, alcohol-in-glass thermometer +n02696165 alehouse +n02696246 alembic +n02696569 algometer +n02696843 alidade, alidad +n02697022 alidade, alidad +n02697221 A-line +n02697576 Allen screw +n02697675 Allen wrench +n02697876 alligator wrench +n02698244 alms dish, alms tray +n02698473 alpaca +n02698634 alpenstock +n02699494 altar +n02699629 altar, communion table, Lord's table +n02699770 altarpiece, reredos +n02699915 altazimuth +n02700064 alternator +n02700258 altimeter +n02700895 Amati +n02701002 ambulance +n02701260 amen corner +n02701730 American organ +n02702989 ammeter +n02703124 ammonia clock +n02703275 ammunition, ammo +n02704645 amphibian, amphibious aircraft +n02704792 amphibian, amphibious vehicle +n02704949 amphitheater, amphitheatre, coliseum +n02705201 amphitheater, amphitheatre +n02705429 amphora +n02705944 amplifier +n02706221 ampulla +n02706806 amusement arcade +n02708093 analog clock +n02708224 analog computer, analogue computer +n02708433 analog watch +n02708555 analytical balance, chemical balance +n02708711 analyzer, analyser +n02708885 anamorphosis, anamorphism +n02709101 anastigmat +n02709367 anchor, ground tackle +n02709637 anchor chain, anchor rope +n02709763 anchor light, riding light, riding lamp +n02709908 AND circuit, AND gate +n02710044 andiron, firedog, dog, dog-iron +n02710201 android, humanoid, mechanical man +n02710324 anechoic chamber +n02710429 anemometer, wind gauge, wind gage +n02710600 aneroid barometer, aneroid +n02711237 angiocardiogram +n02711780 angioscope +n02712545 angle bracket, angle iron +n02712643 angledozer +n02713003 ankle brace +n02713218 anklet, anklets, bobbysock, bobbysocks +n02713364 anklet +n02713496 ankus +n02714315 anode +n02714535 anode +n02714751 answering machine +n02715229 antenna, aerial, transmitting aerial +n02715513 anteroom, antechamber, entrance hall, hall, foyer, lobby, vestibule +n02715712 antiaircraft, antiaircraft gun, flak, flack, pom-pom, ack-ack, ack-ack gun +n02716626 antiballistic missile, ABM +n02720048 antifouling paint +n02720576 anti-G suit, G suit +n02721813 antimacassar +n02723165 antiperspirant +n02724722 anti-submarine rocket +n02725872 anvil +n02726017 ao dai +n02726210 apadana +n02726305 apartment, flat +n02726681 apartment building, apartment house +n02727016 aperture +n02727141 aperture +n02727426 apiary, bee house +n02727825 apparatus, setup +n02728440 apparel, wearing apparel, dress, clothes +n02729222 applecart +n02729837 appliance +n02729965 appliance, contraption, contrivance, convenience, gadget, gizmo, gismo, widget +n02730265 applicator, applier +n02730568 appointment, fitting +n02730930 apron +n02731251 apron string +n02731398 apse, apsis +n02731629 aqualung, Aqua-Lung, scuba +n02731900 aquaplane +n02732072 aquarium, fish tank, marine museum +n02732572 arabesque +n02732827 arbor, arbour, bower, pergola +n02733213 arcade, colonnade +n02733524 arch +n02734725 architecture +n02734835 architrave +n02735268 arch support +n02735361 arc lamp, arc light +n02735538 arctic, galosh, golosh, rubber, gumshoe +n02735688 area +n02736396 areaway +n02736798 argyle, argyll +n02737351 ark +n02737660 arm +n02738031 armament +n02738271 armature +n02738449 armband +n02738535 armchair +n02738741 armet +n02738859 arm guard, arm pad +n02738978 armhole +n02739123 armilla +n02739427 armlet, arm band +n02739550 armoire +n02739668 armor, armour +n02739889 armored car, armoured car +n02740061 armored car, armoured car +n02740300 armored personnel carrier, armoured personnel carrier, APC +n02740533 armored vehicle, armoured vehicle +n02740764 armor plate, armour plate, armor plating, plate armor, plate armour +n02741367 armory, armoury, arsenal +n02741475 armrest +n02742070 arquebus, harquebus, hackbut, hagbut +n02742194 array +n02742322 array, raiment, regalia +n02742468 arrester, arrester hook +n02742753 arrow +n02743426 arsenal, armory, armoury +n02744323 arterial road +n02744844 arthrogram +n02744961 arthroscope +n02745492 artificial heart +n02745611 artificial horizon, gyro horizon, flight indicator +n02745816 artificial joint +n02746008 artificial kidney, hemodialyzer +n02746225 artificial skin +n02746365 artillery, heavy weapon, gun, ordnance +n02746595 artillery shell +n02746683 artist's loft +n02746978 art school +n02747063 ascot +n02747177 ashcan, trash can, garbage can, wastebin, ash bin, ash-bin, ashbin, dustbin, trash barrel, trash bin +n02747672 ash-pan +n02747802 ashtray +n02748183 aspergill, aspersorium +n02748359 aspersorium +n02748491 aspirator +n02749169 aspirin powder, headache powder +n02749292 assault gun +n02749479 assault rifle, assault gun +n02749670 assegai, assagai +n02749790 assembly +n02749953 assembly +n02750070 assembly hall +n02750169 assembly plant +n02750320 astatic coils +n02750652 astatic galvanometer +n02751067 astrodome +n02751215 astrolabe +n02751295 astronomical telescope +n02751490 astronomy satellite +n02752199 athenaeum, atheneum +n02752496 athletic sock, sweat sock, varsity sock +n02752615 athletic supporter, supporter, suspensor, jockstrap, jock +n02752810 atlas, telamon +n02752917 atmometer, evaporometer +n02753044 atom bomb, atomic bomb, A-bomb, fission bomb, plutonium bomb +n02753394 atomic clock +n02753710 atomic pile, atomic reactor, pile, chain reactor +n02754103 atomizer, atomiser, spray, sprayer, nebulizer, nebuliser +n02754656 atrium +n02755140 attache case, attache +n02755352 attachment, bond +n02755529 attack submarine +n02755675 attenuator +n02755823 attic +n02755984 attic fan +n02756098 attire, garb, dress +n02756854 audio amplifier +n02756977 audiocassette +n02757061 audio CD, audio compact disc +n02757337 audiometer, sonometer +n02757462 audio system, sound system +n02757714 audiotape +n02757810 audiotape +n02757927 audiovisual, audiovisual aid +n02758134 auditorium +n02758490 auger, gimlet, screw auger, wimble +n02758863 autobahn +n02758960 autoclave, sterilizer, steriliser +n02759257 autofocus +n02759387 autogiro, autogyro, gyroplane +n02759700 autoinjector +n02759963 autoloader, self-loader +n02760099 automat +n02760199 automat +n02760298 automatic choke +n02760429 automatic firearm, automatic gun, automatic weapon +n02760658 automatic pistol, automatic +n02760855 automatic rifle, automatic, machine rifle +n02761034 automatic transmission, automatic drive +n02761206 automation +n02761392 automaton, robot, golem +n02761557 automobile engine +n02761696 automobile factory, auto factory, car factory +n02761834 automobile horn, car horn, motor horn, horn, hooter +n02762169 autopilot, automatic pilot, robot pilot +n02762371 autoradiograph +n02762508 autostrada +n02762725 auxiliary boiler, donkey boiler +n02762909 auxiliary engine, donkey engine +n02763083 auxiliary pump, donkey pump +n02763198 auxiliary research submarine +n02763306 auxiliary storage, external storage, secondary storage +n02763604 aviary, bird sanctuary, volary +n02763714 awl +n02763901 awning, sunshade, sunblind +n02764044 ax, axe +n02764398 ax handle, axe handle +n02764505 ax head, axe head +n02764614 axis, axis of rotation +n02764779 axle +n02764935 axle bar +n02765028 axletree +n02766168 babushka +n02766320 baby bed, baby's bed +n02766534 baby buggy, baby carriage, carriage, perambulator, pram, stroller, go-cart, pushchair, pusher +n02766792 baby grand, baby grand piano, parlor grand, parlor grand piano, parlour grand, parlour grand piano +n02767038 baby powder +n02767147 baby shoe +n02767433 back, backrest +n02767665 back +n02767956 backbench +n02768114 backboard +n02768226 backboard, basketball backboard +n02768433 backbone +n02768655 back brace +n02768973 backgammon board +n02769075 background, desktop, screen background +n02769290 backhoe +n02769669 backlighting +n02769748 backpack, back pack, knapsack, packsack, rucksack, haversack +n02769963 backpacking tent, pack tent +n02770078 backplate +n02770211 back porch +n02770585 backsaw, back saw +n02770721 backscratcher +n02770830 backseat +n02771004 backspace key, backspace, backspacer +n02771166 backstairs +n02771286 backstay +n02771547 backstop +n02771750 backsword +n02772101 backup system +n02772435 badminton court +n02772554 badminton equipment +n02772700 badminton racket, badminton racquet, battledore +n02773037 bag +n02773838 bag, traveling bag, travelling bag, grip, suitcase +n02774152 bag, handbag, pocketbook, purse +n02774630 baggage, luggage +n02774921 baggage +n02775039 baggage car, luggage van +n02775178 baggage claim +n02775483 bagpipe +n02775689 bailey +n02775813 bailey +n02775897 Bailey bridge +n02776007 bain-marie +n02776205 bait, decoy, lure +n02776505 baize +n02776631 bakery, bakeshop, bakehouse +n02776825 balaclava, balaclava helmet +n02776978 balalaika +n02777100 balance +n02777292 balance beam, beam +n02777402 balance wheel, balance +n02777638 balbriggan +n02777734 balcony +n02777927 balcony +n02778131 baldachin +n02778294 baldric, baldrick +n02778456 bale +n02778588 baling wire +n02778669 ball +n02779435 ball +n02779609 ball and chain +n02779719 ball-and-socket joint +n02779971 ballast, light ballast +n02780315 ball bearing, needle bearing, roller bearing +n02780445 ball cartridge +n02780588 ballcock, ball cock +n02780704 balldress +n02780815 ballet skirt, tutu +n02781121 ball gown +n02781213 ballistic galvanometer +n02781338 ballistic missile +n02781517 ballistic pendulum +n02781764 ballistocardiograph, cardiograph +n02782093 balloon +n02782432 balloon bomb, Fugo +n02782602 balloon sail +n02782681 ballot box +n02782778 ballpark, park +n02783035 ball-peen hammer +n02783161 ballpoint, ballpoint pen, ballpen, Biro +n02783324 ballroom, dance hall, dance palace +n02783459 ball valve +n02783900 balsa raft, Kon Tiki +n02783994 baluster +n02784124 banana boat +n02784998 band +n02785648 bandage, patch +n02786058 Band Aid +n02786198 bandanna, bandana +n02786331 bandbox +n02786463 banderilla +n02786611 bandoleer, bandolier +n02786736 bandoneon +n02786837 bandsaw, band saw +n02787120 bandwagon +n02787269 bangalore torpedo +n02787435 bangle, bauble, gaud, gewgaw, novelty, fallal, trinket +n02787622 banjo +n02788021 banner, streamer +n02788148 bannister, banister, balustrade, balusters, handrail +n02788386 banquette +n02788462 banyan, banian +n02788572 baptismal font, baptistry, baptistery, font +n02788689 bar +n02789487 bar +n02790669 barbecue, barbeque +n02790823 barbed wire, barbwire +n02790996 barbell +n02791124 barber chair +n02791270 barbershop +n02791532 barbette carriage +n02791665 barbican, barbacan +n02791795 bar bit +n02792409 bareboat +n02792552 barge, flatboat, hoy, lighter +n02792948 barge pole +n02793089 baritone, baritone horn +n02793199 bark, barque +n02793296 bar magnet +n02793414 bar mask +n02793495 barn +n02793684 barndoor +n02793842 barn door +n02793930 barnyard +n02794008 barograph +n02794156 barometer +n02794368 barong +n02794474 barouche +n02794664 bar printer +n02794779 barrack +n02794972 barrage balloon +n02795169 barrel, cask +n02795528 barrel, gun barrel +n02795670 barrelhouse, honky-tonk +n02795783 barrel knot, blood knot +n02795978 barrel organ, grind organ, hand organ, hurdy gurdy, hurdy-gurdy, street organ +n02796207 barrel vault +n02796318 barrette +n02796412 barricade +n02796623 barrier +n02796995 barroom, bar, saloon, ginmill, taproom +n02797295 barrow, garden cart, lawn cart, wheelbarrow +n02797535 bascule +n02797692 base, pedestal, stand +n02797881 base, bag +n02799071 baseball +n02799175 baseball bat, lumber +n02799323 baseball cap, jockey cap, golf cap +n02799897 baseball equipment +n02800213 baseball glove, glove, baseball mitt, mitt +n02800497 basement, cellar +n02800675 basement +n02800940 basic point defense missile system +n02801047 basilica, Roman basilica +n02801184 basilica +n02801450 basilisk +n02801525 basin +n02801823 basinet +n02801938 basket, handbasket +n02802215 basket, basketball hoop, hoop +n02802426 basketball +n02802544 basketball court +n02802721 basketball equipment +n02802990 basket weave +n02803349 bass +n02803539 bass clarinet +n02803666 bass drum, gran casa +n02803809 basset horn +n02803934 bass fiddle, bass viol, bull fiddle, double bass, contrabass, string bass +n02804123 bass guitar +n02804252 bass horn, sousaphone, tuba +n02804414 bassinet +n02804515 bassinet +n02804610 bassoon +n02805283 baster +n02805845 bastinado +n02805983 bastion +n02806088 bastion, citadel +n02806379 bat +n02806530 bath +n02806762 bath chair +n02806875 bathhouse, bagnio +n02806992 bathhouse, bathing machine +n02807133 bathing cap, swimming cap +n02807523 bath oil +n02807616 bathrobe +n02807731 bathroom, bath +n02808185 bath salts +n02808304 bath towel +n02808440 bathtub, bathing tub, bath, tub +n02808829 bathyscaphe, bathyscaph, bathyscape +n02808968 bathysphere +n02809105 batik +n02809241 batiste +n02809364 baton, wand +n02809491 baton +n02809605 baton +n02809736 baton +n02810139 battering ram +n02810270 batter's box +n02810471 battery, electric battery +n02810782 battery, stamp battery +n02811059 batting cage, cage +n02811204 batting glove +n02811350 batting helmet +n02811468 battle-ax, battle-axe +n02811618 battle cruiser +n02811719 battle dress +n02811936 battlement, crenelation, crenellation +n02812201 battleship, battlewagon +n02812342 battle sight, battlesight +n02812631 bay +n02812785 bay +n02812949 bayonet +n02813252 bay rum +n02813399 bay window, bow window +n02813544 bazaar, bazar +n02813645 bazaar, bazar +n02813752 bazooka +n02813981 B battery +n02814116 BB gun +n02814338 beach house +n02814428 beach towel +n02814533 beach wagon, station wagon, wagon, estate car, beach waggon, station waggon, waggon +n02814774 beachwear +n02814860 beacon, lighthouse, beacon light, pharos +n02815478 beading plane +n02815749 beaker +n02815834 beaker +n02815950 beam +n02816494 beam balance +n02816656 beanbag +n02816768 beanie, beany +n02817031 bearing +n02817251 bearing rein, checkrein +n02817386 bearing wall +n02817516 bearskin, busby, shako +n02817650 beater +n02817799 beating-reed instrument, reed instrument, reed +n02818135 beaver, castor +n02818254 beaver +n02818687 Beckman thermometer +n02818832 bed +n02819697 bed +n02820085 bed and breakfast, bed-and-breakfast +n02820210 bedclothes, bed clothing, bedding +n02820556 Bedford cord +n02820675 bed jacket +n02821202 bedpan +n02821415 bedpost +n02821543 bedroll +n02821627 bedroom, sleeping room, sleeping accommodation, chamber, bedchamber +n02821943 bedroom furniture +n02822064 bedsitting room, bedsitter, bedsit +n02822220 bedspread, bedcover, bed cover, bed covering, counterpane, spread +n02822399 bedspring +n02822579 bedstead, bedframe +n02822762 beefcake +n02822865 beehive, hive +n02823124 beeper, pager +n02823335 beer barrel, beer keg +n02823428 beer bottle +n02823510 beer can +n02823586 beer garden +n02823750 beer glass +n02823848 beer hall +n02823964 beer mat +n02824058 beer mug, stein +n02824152 belaying pin +n02824319 belfry +n02824448 bell +n02825153 bell arch +n02825240 bellarmine, longbeard, long-beard, greybeard +n02825442 bellbottom trousers, bell-bottoms, bellbottom pants +n02825657 bell cote, bell cot +n02825872 bell foundry +n02825961 bell gable +n02826068 bell jar, bell glass +n02826259 bellows +n02826459 bellpull +n02826589 bell push +n02826683 bell seat, balloon seat +n02826812 bell tent +n02826886 bell tower +n02827148 bellyband +n02827606 belt +n02828115 belt, belt ammunition, belted ammunition +n02828299 belt buckle +n02828427 belting +n02828884 bench +n02829246 bench clamp +n02829353 bench hook +n02829510 bench lathe +n02829596 bench press +n02830157 bender +n02831237 beret +n02831335 berlin +n02831595 Bermuda shorts, Jamaica shorts +n02831724 berth, bunk, built in bed +n02831894 besom +n02831998 Bessemer converter +n02833040 bethel +n02833140 betting shop +n02833275 bevatron +n02833403 bevel, bevel square +n02833793 bevel gear, pinion and crown wheel, pinion and ring gear +n02834027 B-flat clarinet, licorice stick +n02834397 bib +n02834506 bib-and-tucker +n02834642 bicorn, bicorne +n02834778 bicycle, bike, wheel, cycle +n02835271 bicycle-built-for-two, tandem bicycle, tandem +n02835412 bicycle chain +n02835551 bicycle clip, trouser clip +n02835724 bicycle pump +n02835829 bicycle rack +n02835915 bicycle seat, saddle +n02836035 bicycle wheel +n02836174 bidet +n02836268 bier +n02836392 bier +n02836513 bi-fold door +n02836607 bifocals +n02836900 Big Blue, BLU-82 +n02837134 big board +n02837567 bight +n02837789 bikini, two-piece +n02837887 bikini pants +n02838014 bilge +n02838178 bilge keel +n02838345 bilge pump +n02838577 bilge well +n02838728 bill, peak, eyeshade, visor, vizor +n02838958 bill, billhook +n02839110 billboard, hoarding +n02839351 billiard ball +n02839592 billiard room, billiard saloon, billiard parlor, billiard parlour, billiard hall +n02839910 bin +n02840134 binder, ligature +n02840245 binder, ring-binder +n02840515 bindery +n02840619 binding, book binding, cover, back +n02841063 bin liner +n02841187 binnacle +n02841315 binoculars, field glasses, opera glasses +n02841506 binocular microscope +n02841641 biochip +n02841847 biohazard suit +n02842133 bioscope +n02842573 biplane +n02842809 birch, birch rod +n02843029 birchbark canoe, birchbark, birch bark +n02843158 birdbath +n02843276 birdcage +n02843465 birdcall +n02843553 bird feeder, birdfeeder, feeder +n02843684 birdhouse +n02843777 bird shot, buckshot, duck shot +n02843909 biretta, berretta, birretta +n02844056 bishop +n02844214 bistro +n02844307 bit +n02844714 bit +n02845130 bite plate, biteplate +n02845293 bitewing +n02845985 bitumastic +n02846141 black +n02846260 black +n02846511 blackboard, chalkboard +n02846619 blackboard eraser +n02846733 black box +n02846874 blackface +n02847461 blackjack, cosh, sap +n02847631 black tie +n02847852 blackwash +n02848118 bladder +n02848216 blade +n02848523 blade, vane +n02848806 blade +n02848921 blank, dummy, blank shell +n02849154 blanket, cover +n02849885 blast furnace +n02850060 blasting cap +n02850358 blazer, sport jacket, sport coat, sports jacket, sports coat +n02850732 blender, liquidizer, liquidiser +n02850950 blimp, sausage balloon, sausage +n02851099 blind, screen +n02851795 blind curve, blind bend +n02851939 blindfold +n02852043 bling, bling bling +n02852173 blinker, flasher +n02852360 blister pack, bubble pack +n02853016 block +n02853218 blockade +n02853336 blockade-runner +n02853745 block and tackle +n02853870 blockbuster +n02854378 blockhouse +n02854532 block plane +n02854630 bloodmobile +n02854739 bloomers, pants, drawers, knickers +n02854926 blouse +n02855089 blower +n02855390 blowtorch, torch, blowlamp +n02855701 blucher +n02855793 bludgeon +n02855925 blue +n02856013 blue chip +n02856237 blunderbuss +n02856362 blunt file +n02857365 boarding +n02857477 boarding house, boardinghouse +n02857644 boardroom, council chamber +n02857907 boards +n02858304 boat +n02859184 boater, leghorn, Panama, Panama hat, sailor, skimmer, straw hat +n02859343 boat hook +n02859443 boathouse +n02859557 boatswain's chair, bosun's chair +n02859729 boat train +n02859955 boatyard +n02860415 bobbin, spool, reel +n02860640 bobby pin, hairgrip, grip +n02860847 bobsled, bobsleigh, bob +n02861022 bobsled, bobsleigh +n02861147 bocce ball, bocci ball, boccie ball +n02861286 bodega +n02861387 bodice +n02861509 bodkin, threader +n02861658 bodkin +n02861777 bodkin +n02861886 body +n02862048 body armor, body armour, suit of armor, suit of armour, coat of mail, cataphract +n02862916 body lotion +n02863014 body stocking +n02863176 body plethysmograph +n02863340 body pad +n02863426 bodywork +n02863536 Bofors gun +n02863638 bogy, bogie, bogey +n02863750 boiler, steam boiler +n02864122 boiling water reactor, BWR +n02864504 bolero +n02864593 bollard, bitt +n02864987 bolo, bolo knife +n02865351 bolo tie, bolo, bola tie, bola +n02865665 bolt +n02865931 bolt, deadbolt +n02866106 bolt +n02866386 bolt cutter +n02866578 bomb +n02867401 bombazine +n02867592 bomb calorimeter, bomb +n02867715 bomber +n02867966 bomber jacket +n02868240 bomblet, cluster bomblet +n02868429 bomb rack +n02868546 bombshell +n02868638 bomb shelter, air-raid shelter, bombproof +n02868975 bone-ash cup, cupel, refractory pot +n02869155 bone china +n02869249 bones, castanets, clappers, finger cymbals +n02869563 boneshaker +n02869737 bongo, bongo drum +n02869837 bonnet, poke bonnet +n02870526 book +n02870676 book bag +n02870772 bookbindery +n02870880 bookcase +n02871005 bookend +n02871147 bookmark, bookmarker +n02871314 bookmobile +n02871439 bookshelf +n02871525 bookshop, bookstore, bookstall +n02871631 boom +n02871824 boom, microphone boom +n02871963 boomerang, throwing stick, throw stick +n02872333 booster, booster rocket, booster unit, takeoff booster, takeoff rocket +n02872529 booster, booster amplifier, booster station, relay link, relay station, relay transmitter +n02872752 boot +n02873520 boot +n02873623 boot camp +n02873733 bootee, bootie +n02873839 booth, cubicle, stall, kiosk +n02874086 booth +n02874214 booth +n02874336 boothose +n02874442 bootjack +n02874537 bootlace +n02874642 bootleg +n02874750 bootstrap +n02875436 bore bit, borer, rock drill, stone drill +n02875626 boron chamber +n02875948 borstal +n02876084 bosom +n02876326 Boston rocker +n02876457 bota +n02876657 bottle +n02877266 bottle, feeding bottle, nursing bottle +n02877513 bottle bank +n02877642 bottlebrush +n02877765 bottlecap +n02877962 bottle opener +n02878107 bottling plant +n02878222 bottom, freighter, merchantman, merchant ship +n02878425 boucle +n02878534 boudoir +n02878628 boulle, boule, buhl +n02878796 bouncing betty +n02879087 bouquet, corsage, posy, nosegay +n02879309 boutique, dress shop +n02879422 boutonniere +n02879517 bow +n02879718 bow +n02880189 bow, bowknot +n02880393 bow and arrow +n02880546 bowed stringed instrument, string +n02880842 Bowie knife +n02880940 bowl +n02881193 bowl +n02881546 bowl +n02881757 bowler hat, bowler, derby hat, derby, plug hat +n02881906 bowline, bowline knot +n02882190 bowling alley +n02882301 bowling ball, bowl +n02882483 bowling equipment +n02882647 bowling pin, pin +n02882894 bowling shoe +n02883004 bowsprit +n02883101 bowstring +n02883205 bow tie, bow-tie, bowtie +n02883344 box +n02884225 box, loge +n02884450 box, box seat +n02884859 box beam, box girder +n02884994 box camera, box Kodak +n02885108 boxcar +n02885233 box coat +n02885338 boxing equipment +n02885462 boxing glove, glove +n02885882 box office, ticket office, ticket booth +n02886321 box spring +n02886434 box wrench, box end wrench +n02886599 brace, bracing +n02887079 brace, braces, orthodontic braces +n02887209 brace +n02887489 brace, suspender, gallus +n02887832 brace and bit +n02887970 bracelet, bangle +n02888270 bracer, armguard +n02888429 brace wrench +n02888569 bracket, wall bracket +n02888898 bradawl, pricker +n02889425 brake +n02889646 brake +n02889856 brake band +n02889996 brake cylinder, hydraulic brake cylinder, master cylinder +n02890188 brake disk +n02890351 brake drum, drum +n02890513 brake lining +n02890662 brake pad +n02890804 brake pedal +n02890940 brake shoe, shoe, skid +n02891188 brake system, brakes +n02891788 brass, brass instrument +n02892201 brass, memorial tablet, plaque +n02892304 brass +n02892392 brassard +n02892499 brasserie +n02892626 brassie +n02892767 brassiere, bra, bandeau +n02892948 brass knucks, knucks, brass knuckles, knuckles, knuckle duster +n02893269 brattice +n02893418 brazier, brasier +n02893608 breadbasket +n02893692 bread-bin, breadbox +n02893941 bread knife +n02894024 breakable +n02894158 breakfast area, breakfast nook +n02894337 breakfast table +n02894605 breakwater, groin, groyne, mole, bulwark, seawall, jetty +n02894847 breast drill +n02895008 breast implant +n02895154 breastplate, aegis, egis +n02895328 breast pocket +n02895438 breathalyzer, breathalyser +n02896074 breechblock, breech closer +n02896294 breechcloth, breechclout, loincloth +n02896442 breeches, knee breeches, knee pants, knickerbockers, knickers +n02896694 breeches buoy +n02896856 breechloader +n02896949 breeder reactor +n02897097 Bren, Bren gun +n02897389 brewpub +n02897820 brick +n02898093 brickkiln +n02898173 bricklayer's hammer +n02898269 brick trowel, mason's trowel +n02898369 brickwork +n02898585 bridal gown, wedding gown, wedding dress +n02898711 bridge, span +n02899439 bridge, nosepiece +n02900160 bridle +n02900459 bridle path, bridle road +n02900594 bridoon +n02900705 briefcase +n02900857 briefcase bomb +n02900987 briefcase computer +n02901114 briefs, Jockey shorts +n02901259 brig +n02901377 brig +n02901481 brigandine +n02901620 brigantine, hermaphrodite brig +n02901793 brilliantine +n02901901 brilliant pebble +n02902079 brim +n02902687 bristle brush +n02902816 britches +n02902916 broad arrow +n02903006 broadax, broadaxe +n02903126 brochette +n02903204 broadcaster, spreader +n02903727 broadcloth +n02903852 broadcloth +n02904109 broad hatchet +n02904233 broadloom +n02904505 broadside +n02904640 broadsword +n02904803 brocade +n02904927 brogan, brogue, clodhopper, work shoe +n02905036 broiler +n02905152 broken arch +n02905886 bronchoscope +n02906734 broom +n02906963 broom closet +n02907082 broomstick, broom handle +n02907296 brougham +n02907391 Browning automatic rifle, BAR +n02907656 Browning machine gun, Peacemaker +n02907873 brownstone +n02908123 brunch coat +n02908217 brush +n02908773 Brussels carpet +n02908951 Brussels lace +n02909053 bubble +n02909165 bubble chamber +n02909285 bubble jet printer, bubble-jet printer, bubblejet +n02909706 buckboard +n02909870 bucket, pail +n02910145 bucket seat +n02910241 bucket shop +n02910353 buckle +n02910542 buckram +n02910701 bucksaw +n02910864 buckskins +n02910964 buff, buffer +n02911332 buffer, polisher +n02911485 buffer, buffer storage, buffer store +n02912065 buffet, counter, sideboard +n02912319 buffing wheel +n02912557 buggy, roadster +n02912894 bugle +n02913152 building, edifice +n02914991 building complex, complex +n02915904 bulldog clip, alligator clip +n02916065 bulldog wrench +n02916179 bulldozer, dozer +n02916350 bullet, slug +n02916936 bulletproof vest +n02917067 bullet train, bullet +n02917377 bullhorn, loud hailer, loud-hailer +n02917521 bullion +n02917607 bullnose, bullnosed plane +n02917742 bullpen, detention cell, detention centre +n02917964 bullpen +n02918112 bullring +n02918330 bulwark +n02918455 bumboat +n02918595 bumper +n02918831 bumper +n02918964 bumper car, Dodgem +n02919148 bumper guard +n02919308 bumper jack +n02919414 bundle, sheaf +n02919648 bung, spile +n02919792 bungalow, cottage +n02919890 bungee, bungee cord +n02919976 bunghole +n02920083 bunk +n02920164 bunk, feed bunk +n02920259 bunk bed, bunk +n02920369 bunker, sand trap, trap +n02920503 bunker, dugout +n02920658 bunker +n02921029 bunsen burner, bunsen, etna +n02921195 bunting +n02921292 bur, burr +n02921406 Burberry +n02921592 burette, buret +n02921756 burglar alarm +n02921884 burial chamber, sepulcher, sepulchre, sepulture +n02922159 burial garment +n02922292 burial mound, grave mound, barrow, tumulus +n02922461 burin +n02922578 burqa, burka +n02922798 burlap, gunny +n02922877 burn bag +n02923129 burner +n02923535 burnous, burnoose, burnouse +n02923682 burp gun, machine pistol +n02923915 burr +n02924116 bus, autobus, coach, charabanc, double-decker, jitney, motorbus, motorcoach, omnibus, passenger vehicle +n02925009 bushel basket +n02925107 bushing, cylindrical lining +n02925385 bush jacket +n02925519 business suit +n02925666 buskin, combat boot, desert boot, half boot, top boot +n02926426 bustier +n02926591 bustle +n02927053 butcher knife +n02927161 butcher shop, meat market +n02927764 butter dish +n02927887 butterfly valve +n02928049 butter knife +n02928299 butt hinge +n02928413 butt joint, butt +n02928608 button +n02929184 buttonhook +n02929289 buttress, buttressing +n02929462 butt shaft +n02929582 butt weld, butt-weld +n02929923 buzz bomb, robot bomb, flying bomb, doodlebug, V-1 +n02930080 buzzer +n02930214 BVD, BVD's +n02930339 bypass condenser, bypass capacitor +n02930645 byway, bypath, byroad +n02930766 cab, hack, taxi, taxicab +n02931013 cab, cabriolet +n02931148 cab +n02931294 cabana +n02931417 cabaret, nightclub, night club, club, nightspot +n02931836 caber +n02932019 cabin +n02932400 cabin +n02932523 cabin car, caboose +n02932693 cabin class, second class, economy class +n02932891 cabin cruiser, cruiser, pleasure boat, pleasure craft +n02933112 cabinet +n02933340 cabinet, console +n02933462 cabinet, locker, storage locker +n02933649 cabinetwork +n02933750 cabin liner +n02933990 cable, cable television, cable system, cable television service +n02934168 cable, line, transmission line +n02934451 cable car, car +n02935017 cache, memory cache +n02935387 caddy, tea caddy +n02935490 caesium clock +n02935658 cafe, coffeehouse, coffee shop, coffee bar +n02935891 cafeteria +n02936176 cafeteria tray +n02936281 caff +n02936402 caftan, kaftan +n02936570 caftan, kaftan +n02936714 cage, coop +n02936921 cage +n02937010 cagoule +n02937336 caisson +n02937958 calash, caleche, calash top +n02938218 calceus +n02938321 calcimine +n02938886 calculator, calculating machine +n02939185 caldron, cauldron +n02939763 calico +n02939866 caliper, calliper +n02940289 call-board +n02940385 call center, call centre +n02940570 caller ID +n02940706 calliope, steam organ +n02941095 calorimeter +n02941228 calpac, calpack, kalpac +n02941845 camail, aventail, ventail +n02942015 camber arch +n02942147 cambric +n02942349 camcorder +n02942460 camel's hair, camelhair +n02942699 camera, photographic camera +n02943241 camera lens, optical lens +n02943465 camera lucida +n02943686 camera obscura +n02943871 camera tripod +n02943964 camise +n02944075 camisole +n02944146 camisole, underbodice +n02944256 camlet +n02944459 camouflage +n02944579 camouflage, camo +n02944826 camp, encampment, cantonment, bivouac +n02945161 camp +n02945813 camp, refugee camp +n02945964 campaign hat +n02946127 campanile, belfry +n02946270 camp chair +n02946348 camper, camping bus, motor home +n02946509 camper trailer +n02946753 campstool +n02946824 camshaft +n02946921 can, tin, tin can +n02947212 canal +n02947660 canal boat, narrow boat, narrowboat +n02947818 candelabrum, candelabra +n02947977 candid camera +n02948072 candle, taper, wax light +n02948293 candlepin +n02948403 candlesnuffer +n02948557 candlestick, candle holder +n02948834 candlewick +n02948942 candy thermometer +n02949084 cane +n02949202 cane +n02949356 cangue +n02949542 canister, cannister, tin +n02950018 cannery +n02950120 cannikin +n02950186 cannikin +n02950256 cannon +n02950482 cannon +n02950632 cannon +n02950826 cannon +n02950943 cannonball, cannon ball, round shot +n02951358 canoe +n02951585 can opener, tin opener +n02951703 canopic jar, canopic vase +n02951843 canopy +n02952109 canopy +n02952237 canopy +n02952374 canteen +n02952485 canteen +n02952585 canteen +n02952674 canteen, mobile canteen +n02952798 canteen +n02952935 cant hook +n02953056 cantilever +n02953197 cantilever bridge +n02953455 cantle +n02953552 Canton crepe +n02953673 canvas, canvass +n02953850 canvas, canvass +n02954163 canvas tent, canvas, canvass +n02954340 cap +n02954938 cap +n02955065 cap +n02955247 capacitor, capacitance, condenser, electrical condenser +n02955540 caparison, trapping, housing +n02955767 cape, mantle +n02956393 capital ship +n02956699 capitol +n02956795 cap opener +n02956883 capote, hooded cloak +n02957008 capote, hooded coat +n02957135 cap screw +n02957252 capstan +n02957427 capstone, copestone, coping stone, stretcher +n02957755 capsule +n02957862 captain's chair +n02958343 car, auto, automobile, machine, motorcar +n02959942 car, railcar, railway car, railroad car +n02960352 car, elevator car +n02960690 carabiner, karabiner, snap ring +n02960903 carafe, decanter +n02961035 caravansary, caravanserai, khan, caravan inn +n02961225 car battery, automobile battery +n02961451 carbine +n02961544 car bomb +n02961947 carbon arc lamp, carbon arc +n02962061 carboy +n02962200 carburetor, carburettor +n02962414 car carrier +n02962843 cardcase +n02962938 cardiac monitor, heart monitor +n02963159 cardigan +n02963302 card index, card catalog, card catalogue +n02963503 cardiograph, electrocardiograph +n02963692 cardioid microphone +n02963821 car door +n02963987 cardroom +n02964075 card table +n02964196 card table +n02964295 car-ferry +n02964634 cargo area, cargo deck, cargo hold, hold, storage area +n02964843 cargo container +n02964934 cargo door +n02965024 cargo hatch +n02965122 cargo helicopter +n02965216 cargo liner +n02965300 cargo ship, cargo vessel +n02965529 carillon +n02965783 car mirror +n02966068 caroche +n02966193 carousel, carrousel, merry-go-round, roundabout, whirligig +n02966545 carpenter's hammer, claw hammer, clawhammer +n02966687 carpenter's kit, tool kit +n02966786 carpenter's level +n02966942 carpenter's mallet +n02967081 carpenter's rule +n02967170 carpenter's square +n02967294 carpetbag +n02967407 carpet beater, rug beater +n02967540 carpet loom +n02967626 carpet pad, rug pad, underlay, underlayment +n02967782 carpet sweeper, sweeper +n02967991 carpet tack +n02968074 carport, car port +n02968210 carrack, carack +n02968333 carrel, carrell, cubicle, stall +n02968473 carriage, equipage, rig +n02969010 carriage +n02969163 carriage bolt +n02969323 carriageway +n02969527 carriage wrench +n02969634 carrick bend +n02969886 carrier +n02970408 carryall, holdall, tote, tote bag +n02970534 carrycot +n02970685 car seat +n02970849 cart +n02971167 car tire, automobile tire, auto tire, rubber tire +n02971356 carton +n02971473 cartouche, cartouch +n02971579 car train +n02971691 cartridge +n02971940 cartridge, pickup +n02972397 cartridge belt +n02972714 cartridge extractor, cartridge remover, extractor +n02972934 cartridge fuse +n02973017 cartridge holder, cartridge clip, clip, magazine +n02973236 cartwheel +n02973805 carving fork +n02973904 carving knife +n02974003 car wheel +n02974348 caryatid +n02974454 cascade liquefier +n02974565 cascade transformer +n02974697 case +n02975212 case, display case, showcase, vitrine +n02975589 case, compositor's case, typesetter's case +n02975994 casein paint, casein +n02976123 case knife, sheath knife +n02976249 case knife +n02976350 casement +n02976455 casement window +n02976552 casern +n02976641 case shot, canister, canister shot +n02976815 cash bar +n02976939 cashbox, money box, till +n02977058 cash machine, cash dispenser, automated teller machine, automatic teller machine, automated teller, automatic teller, ATM +n02977330 cashmere +n02977438 cash register, register +n02977619 casing, case +n02977936 casino, gambling casino +n02978055 casket, jewel casket +n02978205 casque +n02978367 casquet, casquetel +n02978478 Cassegrainian telescope, Gregorian telescope +n02978753 casserole +n02978881 cassette +n02979074 cassette deck +n02979186 cassette player +n02979290 cassette recorder +n02979399 cassette tape +n02979516 cassock +n02979836 cast, plaster cast, plaster bandage +n02980036 caster, castor +n02980203 caster, castor +n02980441 castle +n02980625 castle, rook +n02981024 catacomb +n02981198 catafalque +n02981321 catalytic converter +n02981565 catalytic cracker, cat cracker +n02981792 catamaran +n02981911 catapult, arbalest, arbalist, ballista, bricole, mangonel, onager, trebuchet, trebucket +n02982232 catapult, launcher +n02982416 catboat +n02982515 cat box +n02982599 catch +n02983072 catchall +n02983189 catcher's mask +n02983357 catchment +n02983507 Caterpillar, cat +n02983904 cathedra, bishop's throne +n02984061 cathedral +n02984203 cathedral, duomo +n02984469 catheter +n02984699 cathode +n02985137 cathode-ray tube, CRT +n02985606 cat-o'-nine-tails, cat +n02985828 cat's-paw +n02985963 catsup bottle, ketchup bottle +n02986066 cattle car +n02986160 cattle guard, cattle grid +n02986348 cattleship, cattle boat +n02987047 cautery, cauterant +n02987379 cavalier hat, slouch hat +n02987492 cavalry sword, saber, sabre +n02987706 cavetto +n02987823 cavity wall +n02987950 C battery +n02988066 C-clamp +n02988156 CD drive +n02988304 CD player +n02988486 CD-R, compact disc recordable, CD-WO, compact disc write-once +n02988679 CD-ROM, compact disc read-only memory +n02988963 CD-ROM drive +n02989099 cedar chest +n02990373 ceiling +n02990758 celesta +n02991048 cell, electric cell +n02991302 cell, jail cell, prison cell +n02991847 cellar, wine cellar +n02992032 cellblock, ward +n02992211 cello, violoncello +n02992368 cellophane +n02992529 cellular telephone, cellular phone, cellphone, cell, mobile phone +n02992795 cellulose tape, Scotch tape, Sellotape +n02993194 cenotaph, empty tomb +n02993368 censer, thurible +n02993546 center, centre +n02994573 center punch +n02994743 Centigrade thermometer +n02995345 central processing unit, CPU, C.P.U., central processor, processor, mainframe +n02995871 centrifugal pump +n02995998 centrifuge, extractor, separator +n02997391 ceramic +n02997607 ceramic ware +n02997910 cereal bowl +n02998003 cereal box +n02998107 cerecloth +n02998563 cesspool, cesspit, sink, sump +n02998696 chachka, tsatske, tshatshke, tchotchke +n02998841 chador, chadar, chaddar, chuddar +n02999138 chafing dish +n02999410 chain +n02999936 chain +n03000134 chainlink fence +n03000247 chain mail, ring mail, mail, chain armor, chain armour, ring armor, ring armour +n03000530 chain printer +n03000684 chain saw, chainsaw +n03001115 chain store +n03001282 chain tongs +n03001540 chain wrench +n03001627 chair +n03002096 chair +n03002210 chair of state +n03002341 chairlift, chair lift +n03002555 chaise, shay +n03002711 chaise longue, chaise, daybed +n03002816 chalet +n03002948 chalice, goblet +n03003091 chalk +n03003633 challis +n03004275 chamberpot, potty, thunder mug +n03004409 chambray +n03004531 chamfer bit +n03004620 chamfer plane +n03004713 chamois cloth +n03004824 chancel, sanctuary, bema +n03005033 chancellery +n03005147 chancery +n03005285 chandelier, pendant, pendent +n03005515 chandlery +n03005619 chanfron, chamfron, testiere, frontstall, front-stall +n03006626 chanter, melody pipe +n03006788 chantry +n03006903 chap +n03007130 chapel +n03007297 chapterhouse, fraternity house, frat house +n03007444 chapterhouse +n03007591 character printer, character-at-a-time printer, serial printer +n03008177 charcuterie +n03008817 charge-exchange accelerator +n03008976 charger, battery charger +n03009111 chariot +n03009269 chariot +n03009794 charnel house, charnel +n03010473 chassis +n03010656 chassis +n03010795 chasuble +n03010915 chateau +n03011018 chatelaine +n03011355 checker, chequer +n03011741 checkout, checkout counter +n03012013 cheekpiece +n03012159 cheeseboard, cheese tray +n03012373 cheesecloth +n03012499 cheese cutter +n03012644 cheese press +n03012734 chemical bomb, gas bomb +n03012897 chemical plant +n03013006 chemical reactor +n03013438 chemise, sack, shift +n03013580 chemise, shimmy, shift, slip, teddy +n03013850 chenille +n03014440 chessman, chess piece +n03014705 chest +n03015149 chesterfield +n03015254 chest of drawers, chest, bureau, dresser +n03015478 chest protector +n03015631 cheval-de-frise, chevaux-de-frise +n03015851 cheval glass +n03016209 chicane +n03016389 chicken coop, coop, hencoop, henhouse +n03016609 chicken wire +n03016737 chicken yard, hen yard, chicken run, fowl run +n03016868 chiffon +n03016953 chiffonier, commode +n03017070 child's room +n03017168 chime, bell, gong +n03017698 chimney breast +n03017835 chimney corner, inglenook +n03018209 china +n03018349 china cabinet, china closet +n03018614 chinchilla +n03018712 Chinese lantern +n03018848 Chinese puzzle +n03019198 chinning bar +n03019304 chino +n03019434 chino +n03019685 chin rest +n03019806 chin strap +n03019938 chintz +n03020034 chip, microchip, micro chip, silicon chip, microprocessor chip +n03020416 chip, poker chip +n03020692 chisel +n03021228 chlamys +n03024064 choir +n03024233 choir loft +n03024333 choke +n03024518 choke, choke coil, choking coil +n03025070 chokey, choky +n03025165 choo-choo +n03025250 chopine, platform +n03025886 chordophone +n03026506 Christmas stocking +n03026907 chronograph +n03027001 chronometer +n03027108 chronoscope +n03027250 chuck +n03027505 chuck wagon +n03027625 chukka, chukka boot +n03028079 church, church building +n03028596 church bell +n03028785 church hat +n03029066 church key +n03029197 church tower +n03029296 churidars +n03029445 churn, butter churn +n03029925 ciderpress +n03030262 cigar band +n03030353 cigar box +n03030557 cigar cutter +n03030880 cigarette butt +n03031012 cigarette case +n03031152 cigarette holder +n03031422 cigar lighter, cigarette lighter, pocket lighter +n03031756 cinch, girth +n03032252 cinema, movie theater, movie theatre, movie house, picture palace +n03032453 cinquefoil +n03032811 circle, round +n03033267 circlet +n03033362 circuit, electrical circuit, electric circuit +n03033986 circuit board, circuit card, board, card, plug-in, add-in +n03034244 circuit breaker, breaker +n03034405 circuitry +n03034516 circular plane, compass plane +n03034663 circular saw, buzz saw +n03035252 circus tent, big top, round top, top +n03035510 cistern +n03035715 cistern, water tank +n03035832 cittern, cithern, cither, citole, gittern +n03036022 city hall +n03036149 cityscape +n03036244 city university +n03036341 civies, civvies +n03036469 civilian clothing, civilian dress, civilian garb, plain clothes +n03036701 clack valve, clack, clapper valve +n03036866 clamp, clinch +n03037108 clamshell, grapple +n03037228 clapper, tongue +n03037404 clapperboard +n03037590 clarence +n03037709 clarinet +n03038041 Clark cell, Clark standard cell +n03038281 clasp +n03038480 clasp knife, jackknife +n03038685 classroom, schoolroom +n03038870 clavichord +n03039015 clavier, Klavier +n03039259 clay pigeon +n03039353 claymore mine, claymore +n03039493 claymore +n03039827 cleaners, dry cleaners +n03039947 cleaning implement, cleaning device, cleaning equipment +n03040229 cleaning pad +n03040376 clean room, white room +n03040836 clearway +n03041114 cleat +n03041265 cleat +n03041449 cleats +n03041632 cleaver, meat cleaver, chopper +n03041810 clerestory, clearstory +n03042139 clevis +n03042384 clews +n03042490 cliff dwelling +n03042697 climbing frame +n03042829 clinch +n03042984 clinch, clench +n03043173 clincher +n03043274 clinic +n03043423 clinical thermometer, mercury-in-glass clinical thermometer +n03043693 clinker, clinker brick +n03043798 clinometer, inclinometer +n03043958 clip +n03044671 clip lead +n03044801 clip-on +n03044934 clipper +n03045074 clipper +n03045228 clipper, clipper ship +n03045337 cloak +n03045698 cloak +n03045800 cloakroom, coatroom +n03046029 cloche +n03046133 cloche +n03046257 clock +n03046802 clock pendulum +n03046921 clock radio +n03047052 clock tower +n03047171 clockwork +n03047690 clog, geta, patten, sabot +n03047799 cloisonne +n03047941 cloister +n03048883 closed circuit, loop +n03049066 closed-circuit television +n03049326 closed loop, closed-loop system +n03049457 closet +n03049782 closeup lens +n03049924 cloth cap, flat cap +n03050026 cloth covering +n03050453 clothesbrush +n03050546 clothes closet, clothespress +n03050655 clothes dryer, clothes drier +n03050864 clothes hamper, laundry basket, clothes basket, voider +n03051041 clotheshorse +n03051249 clothespin, clothes pin, clothes peg +n03051396 clothes tree, coat tree, coat stand +n03051540 clothing, article of clothing, vesture, wear, wearable, habiliment +n03052464 clothing store, haberdashery, haberdashery store, mens store +n03052917 clout nail, clout +n03053047 clove hitch +n03053976 club car, lounge car +n03054491 clubroom +n03054605 cluster bomb +n03054901 clutch +n03055159 clutch, clutch pedal +n03055418 clutch bag, clutch +n03055670 coach, four-in-hand, coach-and-four +n03055857 coach house, carriage house, remise +n03056097 coal car +n03056215 coal chute +n03056288 coal house +n03056493 coal shovel +n03056583 coaming +n03056873 coaster brake +n03057021 coat +n03057541 coat button +n03057636 coat closet +n03057724 coatdress +n03057841 coatee +n03057920 coat hanger, clothes hanger, dress hanger +n03058107 coating, coat +n03058603 coating +n03058949 coat of paint +n03059103 coatrack, coat rack, hatrack +n03059236 coattail +n03059366 coaxial cable, coax, coax cable +n03059685 cobweb +n03059934 cobweb +n03060728 Cockcroft and Walton accelerator, Cockcroft-Walton accelerator, Cockcroft and Walton voltage multiplier, Cockcroft-Walton voltage multiplier +n03061050 cocked hat +n03061211 cockhorse +n03061345 cockleshell +n03061505 cockpit +n03061674 cockpit +n03061819 cockpit +n03061893 cockscomb, coxcomb +n03062015 cocktail dress, sheath +n03062122 cocktail lounge +n03062245 cocktail shaker +n03062336 cocotte +n03062651 codpiece +n03062798 coelostat +n03062985 coffee can +n03063073 coffee cup +n03063199 coffee filter +n03063338 coffee maker +n03063485 coffee mill, coffee grinder +n03063599 coffee mug +n03063689 coffeepot +n03063834 coffee stall +n03063968 coffee table, cocktail table +n03064250 coffee urn +n03064350 coffer +n03064562 Coffey still +n03064758 coffin, casket +n03064935 cog, sprocket +n03065243 coif +n03065424 coil, spiral, volute, whorl, helix +n03065708 coil +n03066232 coil +n03066359 coil spring, volute spring +n03066464 coin box +n03066849 colander, cullender +n03067093 cold cathode +n03067212 cold chisel, set chisel +n03067339 cold cream, coldcream, face cream, vanishing cream +n03067518 cold frame +n03068181 collar, neckband +n03068998 collar +n03069752 college +n03070059 collet, collet chuck +n03070193 collider +n03070396 colliery, pit +n03070587 collimator +n03070854 collimator +n03071021 cologne, cologne water, eau de cologne +n03071160 colonnade +n03071288 colonoscope +n03071552 colorimeter, tintometer +n03072056 colors, colours +n03072201 color television, colour television, color television system, colour television system, color TV, colour TV +n03072440 color tube, colour tube, color television tube, colour television tube, color TV tube, colour TV tube +n03072682 color wash, colour wash +n03073296 Colt +n03073384 colter, coulter +n03073545 columbarium +n03073694 columbarium, cinerarium +n03073977 column, pillar +n03074380 column, pillar +n03074855 comb +n03075097 comb +n03075248 comber +n03075370 combination lock +n03075500 combination plane +n03075634 combine +n03075768 comforter, pacifier, baby's dummy, teething ring +n03075946 command module +n03076411 commissary +n03076623 commissary +n03076708 commodity, trade good, good +n03077442 common ax, common axe, Dayton ax, Dayton axe +n03077616 common room +n03077741 communications satellite +n03078287 communication system +n03078506 community center, civic center +n03078670 commutator +n03078802 commuter, commuter train +n03078995 compact, powder compact +n03079136 compact, compact car +n03079230 compact disk, compact disc, CD +n03079494 compact-disk burner, CD burner +n03079616 companionway +n03079741 compartment +n03080309 compartment +n03080497 compass +n03080633 compass +n03080731 compass card, mariner's compass +n03080904 compass saw +n03081859 compound +n03081986 compound lens +n03082127 compound lever +n03082280 compound microscope +n03082450 compress +n03082656 compression bandage, tourniquet +n03082807 compressor +n03082979 computer, computing machine, computing device, data processor, electronic computer, information processing system +n03084420 computer circuit +n03084834 computerized axial tomography scanner, CAT scanner +n03085013 computer keyboard, keypad +n03085219 computer monitor +n03085333 computer network +n03085602 computer screen, computer display +n03085781 computer store +n03085915 computer system, computing system, automatic data processing system, ADP system, ADPS +n03086183 concentration camp, stockade +n03086457 concert grand, concert piano +n03086580 concert hall +n03086670 concertina +n03086868 concertina +n03087069 concrete mixer, cement mixer +n03087245 condensation pump, diffusion pump +n03087366 condenser, optical condenser +n03087521 condenser +n03087643 condenser +n03087816 condenser microphone, capacitor microphone +n03088389 condominium +n03088580 condominium, condo +n03088707 conductor +n03089477 cone clutch, cone friction clutch +n03089624 confectionery, confectionary, candy store +n03089753 conference center, conference house +n03089879 conference room +n03090000 conference table, council table, council board +n03090172 confessional +n03090437 conformal projection, orthomorphic projection +n03090710 congress boot, congress shoe, congress gaiter +n03090856 conic projection, conical projection +n03091044 connecting rod +n03091223 connecting room +n03091374 connection, connexion, connector, connecter, connective +n03091907 conning tower +n03092053 conning tower +n03092166 conservatory, hothouse, indoor garden +n03092314 conservatory, conservatoire +n03092476 console +n03092656 console +n03092883 console table, console +n03093427 consulate +n03093792 contact, tangency +n03094159 contact, contact lens +n03094503 container +n03095699 container ship, containership, container vessel +n03095965 containment +n03096439 contrabassoon, contrafagotto, double bassoon +n03096960 control, controller +n03097362 control center +n03097535 control circuit, negative feedback circuit +n03097673 control key, command key +n03098140 control panel, instrument panel, control board, board, panel +n03098515 control rod +n03098688 control room +n03098806 control system +n03098959 control tower +n03099147 convector +n03099274 convenience store +n03099454 convent +n03099622 conventicle, meetinghouse +n03099771 converging lens, convex lens +n03099945 converter, convertor +n03100240 convertible +n03100346 convertible, sofa bed +n03100490 conveyance, transport +n03100897 conveyer belt, conveyor belt, conveyer, conveyor, transporter +n03101156 cooker +n03101302 cookfire +n03101375 cookhouse +n03101517 cookie cutter +n03101664 cookie jar, cooky jar +n03101796 cookie sheet, baking tray +n03101986 cooking utensil, cookware +n03102371 cookstove +n03102516 coolant system +n03102654 cooler, ice chest +n03102859 cooling system, cooling +n03103128 cooling system, engine cooling system +n03103396 cooling tower +n03103563 coonskin cap, coonskin +n03103904 cope +n03104019 coping saw +n03104512 copperware +n03105088 copyholder +n03105214 coquille +n03105306 coracle +n03105467 corbel, truss +n03105645 corbel arch +n03105810 corbel step, corbie-step, corbiestep, crow step +n03105974 corbie gable +n03106722 cord, corduroy +n03106898 cord, electric cord +n03107046 cordage +n03107488 cords, corduroys +n03107716 core +n03108455 core bit +n03108624 core drill +n03108759 corer +n03108853 cork, bottle cork +n03109033 corker +n03109150 corkscrew, bottle screw +n03109253 corncrib +n03109693 corner, quoin +n03109881 corner, nook +n03110202 corner post +n03110669 cornet, horn, trumpet, trump +n03111041 cornice +n03111177 cornice +n03111296 cornice, valance, valance board, pelmet +n03111690 correctional institution +n03112240 corrugated fastener, wiggle nail +n03112719 corselet, corslet +n03112869 corset, girdle, stays +n03113152 cosmetic +n03113505 cosmotron +n03113657 costume +n03113835 costume +n03114041 costume +n03114236 costume +n03114379 cosy, tea cosy, cozy, tea cozy +n03114504 cot, camp bed +n03114743 cottage tent +n03114839 cotter, cottar +n03115014 cotter pin +n03115180 cotton +n03115400 cotton flannel, Canton flannel +n03115663 cotton mill +n03115762 couch +n03115897 couch +n03116008 couchette +n03116163 coude telescope, coude system +n03116530 counter +n03116767 counter, tabulator +n03117199 counter +n03117642 counterbore, countersink, countersink bit +n03118346 counter tube +n03118969 country house +n03119203 country store, general store, trading post +n03119396 coupe +n03119510 coupling, coupler +n03120198 court, courtyard +n03120491 court +n03120778 court, courtroom +n03121040 court +n03121190 Courtelle +n03121298 courthouse +n03121431 courthouse +n03121897 coverall +n03122073 covered bridge +n03122202 covered couch +n03122295 covered wagon, Conestoga wagon, Conestoga, prairie wagon, prairie schooner +n03122748 covering +n03123553 coverlet +n03123666 cover plate +n03123809 cowbarn, cowshed, cow barn, cowhouse, byre +n03123917 cowbell +n03124043 cowboy boot +n03124170 cowboy hat, ten-gallon hat +n03124313 cowhide +n03124474 cowl +n03124590 cow pen, cattle pen, corral +n03125057 CPU board, mother board +n03125588 crackle, crackleware, crackle china +n03125729 cradle +n03125870 craft +n03126090 cramp, cramp iron +n03126385 crampon, crampoon, climbing iron, climber +n03126580 crampon, crampoon +n03126707 crane +n03126927 craniometer +n03127024 crank, starter +n03127203 crankcase +n03127408 crankshaft +n03127531 crash barrier +n03127747 crash helmet +n03127925 crate +n03128085 cravat +n03128248 crayon, wax crayon +n03128427 crazy quilt +n03128519 cream, ointment, emollient +n03129001 cream pitcher, creamer +n03129471 creche, foundling hospital +n03129636 creche +n03129753 credenza, credence +n03129848 creel +n03130066 crematory, crematorium, cremation chamber +n03130233 crematory, crematorium +n03130563 crepe, crape +n03130761 crepe de Chine +n03130866 crescent wrench +n03131193 cretonne +n03131574 crib, cot +n03131669 crib +n03131967 cricket ball +n03132076 cricket bat, bat +n03132261 cricket equipment +n03132438 cringle, eyelet, loop, grommet, grummet +n03132666 crinoline +n03132776 crinoline +n03133050 crochet needle, crochet hook +n03133415 crock, earthenware jar +n03133878 Crock Pot +n03134118 crook, shepherd's crook +n03134232 Crookes radiometer +n03134394 Crookes tube +n03134739 croquet ball +n03134853 croquet equipment +n03135030 croquet mallet +n03135532 cross +n03135656 crossbar +n03135788 crossbar +n03135917 crossbar +n03136051 crossbench +n03136254 cross bit +n03136369 crossbow +n03136504 crosscut saw, crosscut handsaw, cutoff saw +n03137473 crossjack, mizzen course +n03137579 crosspiece +n03138128 crotchet +n03138217 croupier's rake +n03138344 crowbar, wrecking bar, pry, pry bar +n03138669 crown, diadem +n03139089 crown, crownwork, jacket, jacket crown, cap +n03139464 crown jewels +n03139640 crown lens +n03139998 crow's nest +n03140126 crucible, melting pot +n03140292 crucifix, rood, rood-tree +n03140431 cruet, crewet +n03140546 cruet-stand +n03140652 cruise control +n03140771 cruise missile +n03140900 cruiser +n03141065 cruiser, police cruiser, patrol car, police car, prowl car, squad car +n03141327 cruise ship, cruise liner +n03141455 crupper +n03141612 cruse +n03141702 crusher +n03141823 crutch +n03142099 cryometer +n03142205 cryoscope +n03142325 cryostat +n03142431 crypt +n03142679 crystal, watch crystal, watch glass +n03143400 crystal detector +n03143572 crystal microphone +n03143754 crystal oscillator, quartz oscillator +n03144156 crystal set +n03144873 cubitiere +n03144982 cucking stool, ducking stool +n03145147 cuckoo clock +n03145277 cuddy +n03145384 cudgel +n03145522 cue, cue stick, pool cue, pool stick +n03145719 cue ball +n03145843 cuff, turnup +n03146219 cuirass +n03146342 cuisse +n03146449 cul, cul de sac, dead end +n03146560 culdoscope +n03146687 cullis +n03146777 culotte +n03146846 cultivator, tiller +n03147084 culverin +n03147156 culverin +n03147280 culvert +n03147509 cup +n03148324 cupboard, closet +n03148518 cup hook +n03148727 cupola +n03148808 cupola +n03149135 curb, curb bit +n03149401 curb roof +n03149686 curbstone, kerbstone +n03149810 curette, curet +n03150232 curler, hair curler, roller, crimper +n03150511 curling iron +n03150661 currycomb +n03150795 cursor, pointer +n03151077 curtain, drape, drapery, mantle, pall +n03152303 customhouse, customshouse +n03152951 cutaway, cutaway drawing, cutaway model +n03153246 cutlas, cutlass +n03153585 cutoff +n03153948 cutout +n03154073 cutter, cutlery, cutting tool +n03154316 cutter +n03154446 cutting implement +n03154616 cutting room +n03154745 cutty stool +n03154895 cutwork +n03155178 cybercafe +n03155502 cyclopean masonry +n03155915 cyclostyle +n03156071 cyclotron +n03156279 cylinder +n03156405 cylinder, piston chamber +n03156767 cylinder lock +n03157348 cymbal +n03158186 dacha +n03158414 Dacron, Terylene +n03158668 dado +n03158796 dado plane +n03158885 dagger, sticker +n03159535 dairy, dairy farm +n03159640 dais, podium, pulpit, rostrum, ambo, stump, soapbox +n03160001 daisy print wheel, daisy wheel +n03160186 daisywheel printer +n03160309 dam, dike, dyke +n03160740 damask +n03161016 dampener, moistener +n03161450 damper, muffler +n03161893 damper block, piano damper +n03162297 dark lantern, bull's-eye +n03162460 darkroom +n03162556 darning needle, embroidery needle +n03162714 dart +n03162818 dart +n03163222 dashboard, fascia +n03163381 dashiki, daishiki +n03163488 dash-pot +n03163798 data converter +n03163973 data input device, input device +n03164192 data multiplexer +n03164344 data system, information system +n03164605 davenport +n03164722 davenport +n03164929 davit +n03165096 daybed, divan bed +n03165211 daybook, ledger +n03165466 day nursery, day care center +n03165616 day school +n03165823 dead axle +n03165955 deadeye +n03166120 deadhead +n03166514 deanery +n03166600 deathbed +n03166685 death camp +n03166809 death house, death row +n03166951 death knell, death bell +n03167153 death seat +n03167978 deck +n03168107 deck +n03168217 deck chair, beach chair +n03168543 deck-house +n03168663 deckle +n03168774 deckle edge, deckle +n03168933 declinometer, transit declinometer +n03169063 decoder +n03169176 decolletage +n03170292 decoupage +n03170459 dedicated file server +n03170635 deep-freeze, Deepfreeze, deep freezer, freezer +n03170872 deerstalker +n03171228 defense system, defence system +n03171356 defensive structure, defense, defence +n03171635 defibrillator +n03171910 defilade +n03172038 deflector +n03172738 delayed action +n03172965 delay line +n03173270 delft +n03173387 delicatessen, deli, food shop +n03173929 delivery truck, delivery van, panel truck +n03174079 delta wing +n03174450 demijohn +n03174731 demitasse +n03175081 den +n03175189 denim, dungaree, jean +n03175301 densimeter, densitometer +n03175457 densitometer +n03175604 dental appliance +n03175843 dental floss, floss +n03175983 dental implant +n03176238 dentist's drill, burr drill +n03176386 denture, dental plate, plate +n03176594 deodorant, deodourant +n03176763 department store, emporium +n03177059 departure lounge +n03177165 depilatory, depilator, epilator +n03177708 depressor +n03178000 depth finder +n03178173 depth gauge, depth gage +n03178430 derrick +n03178538 derrick +n03178674 derringer +n03179701 desk +n03179910 desk phone +n03180011 desktop computer +n03180384 dessert spoon +n03180504 destroyer, guided missile destroyer +n03180732 destroyer escort +n03180865 detached house, single dwelling +n03180969 detector, sensor, sensing element +n03181293 detector +n03181667 detention home, detention house, house of detention, detention camp +n03182140 detonating fuse +n03182232 detonator, detonating device, cap +n03182912 developer +n03183080 device +n03185868 Dewar flask, Dewar +n03186199 dhoti +n03186285 dhow +n03186818 dial, telephone dial +n03187037 dial +n03187153 dial +n03187268 dialog box, panel +n03187595 dial telephone, dial phone +n03187751 dialyzer, dialysis machine +n03188290 diamante +n03188531 diaper, nappy, napkin +n03188725 diaper +n03188871 diaphone +n03189083 diaphragm, stop +n03189311 diaphragm +n03189818 diathermy machine +n03190458 dibble, dibber +n03191286 dice cup, dice box +n03191451 dicer +n03191561 dickey, dickie, dicky, shirtfront +n03191776 dickey, dickie, dicky, dickey-seat, dickie-seat, dicky-seat +n03192543 Dictaphone +n03192907 die +n03193107 diesel, diesel engine, diesel motor +n03193260 diesel-electric locomotive, diesel-electric +n03193423 diesel-hydraulic locomotive, diesel-hydraulic +n03193597 diesel locomotive +n03193754 diestock +n03194170 differential analyzer +n03194297 differential gear, differential +n03194812 diffuser, diffusor +n03194992 diffuser, diffusor +n03195332 digester +n03195485 diggings, digs, domiciliation, lodgings, pad +n03195799 digital-analog converter, digital-to-analog converter +n03195959 digital audiotape, DAT +n03196062 digital camera +n03196217 digital clock +n03196324 digital computer +n03196598 digital display, alphanumeric display +n03196990 digital subscriber line, DSL +n03197201 digital voltmeter +n03197337 digital watch +n03197446 digitizer, digitiser, analog-digital converter, analog-to-digital converter +n03198223 dilator, dilater +n03198500 dildo +n03199358 dimity +n03199488 dimmer +n03199647 diner +n03199775 dinette +n03199901 dinghy, dory, rowboat +n03200231 dining area +n03200357 dining car, diner, dining compartment, buffet car +n03200539 dining-hall +n03200701 dining room, dining-room +n03200906 dining-room furniture +n03201035 dining-room table +n03201208 dining table, board +n03201529 dinner bell +n03201638 dinner dress, dinner gown, formal, evening gown +n03201776 dinner jacket, tux, tuxedo, black tie +n03201895 dinner napkin +n03201996 dinner pail, dinner bucket +n03202354 dinner table +n03202481 dinner theater, dinner theatre +n03202760 diode, semiconductor diode, junction rectifier, crystal rectifier +n03202940 diode, rectifying tube, rectifying valve +n03203089 dip +n03203806 diplomatic building +n03204134 dipole, dipole antenna +n03204306 dipper +n03204436 dipstick +n03204558 DIP switch, dual inline package switch +n03204955 directional antenna +n03205143 directional microphone +n03205304 direction finder +n03205458 dirk +n03205574 dirndl +n03205669 dirndl +n03205903 dirty bomb +n03206023 discharge lamp +n03206158 discharge pipe +n03206282 disco, discotheque +n03206405 discount house, discount store, discounter, wholesale house +n03206602 discus, saucer +n03206718 disguise +n03206908 dish +n03207305 dish, dish aerial, dish antenna, saucer +n03207548 dishpan +n03207630 dish rack +n03207743 dishrag, dishcloth +n03207835 dishtowel, dish towel, tea towel +n03207941 dishwasher, dish washer, dishwashing machine +n03208556 disk, disc +n03208938 disk brake, disc brake +n03209359 disk clutch +n03209477 disk controller +n03209666 disk drive, disc drive, hard drive, Winchester drive +n03209910 diskette, floppy, floppy disk +n03210245 disk harrow, disc harrow +n03210372 dispatch case, dispatch box +n03210552 dispensary +n03210683 dispenser +n03211117 display, video display +n03211413 display adapter, display adaptor +n03211616 display panel, display board, board +n03211789 display window, shop window, shopwindow, show window +n03212114 disposal, electric pig, garbage disposal +n03212247 disrupting explosive, bursting explosive +n03212406 distaff +n03212811 distillery, still +n03213014 distributor, distributer, electrical distributor +n03213361 distributor cam +n03213538 distributor cap +n03213715 distributor housing +n03213826 distributor point, breaker point, point +n03214253 ditch +n03214450 ditch spade, long-handled spade +n03214582 ditty bag +n03214966 divan +n03215076 divan, diwan +n03215191 dive bomber +n03215337 diverging lens, concave lens +n03215508 divided highway, dual carriageway +n03215749 divider +n03215930 diving bell +n03216199 divining rod, dowser, dowsing rod, waterfinder, water finder +n03216402 diving suit, diving dress +n03216562 dixie +n03216710 Dixie cup, paper cup +n03216828 dock, dockage, docking facility +n03217653 doeskin +n03217739 dogcart +n03217889 doggie bag, doggy bag +n03218198 dogsled, dog sled, dog sleigh +n03218446 dog wrench +n03219010 doily, doyley, doyly +n03219135 doll, dolly +n03219483 dollhouse, doll's house +n03219612 dolly +n03219859 dolman +n03219966 dolman, dolman jacket +n03220095 dolman sleeve +n03220237 dolmen, cromlech, portal tomb +n03220513 dome +n03220692 dome, domed stadium, covered stadium +n03221059 domino, half mask, eye mask +n03221351 dongle +n03221540 donkey jacket +n03221720 door +n03222176 door +n03222318 door +n03222516 doorbell, bell, buzzer +n03222722 doorframe, doorcase +n03222857 doorjamb, doorpost +n03223162 doorlock +n03223299 doormat, welcome mat +n03223441 doornail +n03223553 doorplate +n03223686 doorsill, doorstep, threshold +n03223923 doorstop, doorstopper +n03224490 Doppler radar +n03224603 dormer, dormer window +n03224753 dormer window +n03224893 dormitory, dorm, residence hall, hall, student residence +n03225108 dormitory, dormitory room, dorm room +n03225458 dosemeter, dosimeter +n03225616 dossal, dossel +n03225777 dot matrix printer, matrix printer, dot printer +n03225988 double bed +n03226090 double-bitted ax, double-bitted axe, Western ax, Western axe +n03226254 double boiler, double saucepan +n03226375 double-breasted jacket +n03226538 double-breasted suit +n03226880 double door +n03227010 double glazing +n03227184 double-hung window +n03227317 double knit +n03227721 doubler +n03227856 double reed +n03228016 double-reed instrument, double reed +n03228254 doublet +n03228365 doubletree +n03228533 douche, douche bag +n03228692 dovecote, columbarium, columbary +n03228796 Dover's powder +n03228967 dovetail, dovetail joint +n03229115 dovetail plane +n03229244 dowel, dowel pin, joggle +n03229526 downstage +n03231160 drafting instrument +n03231368 drafting table, drawing table +n03231819 Dragunov +n03232309 drainage ditch +n03232417 drainage system +n03232543 drain basket +n03232815 drainplug +n03232923 drape +n03233123 drapery +n03233624 drawbar +n03233744 drawbridge, lift bridge +n03233905 drawer +n03234164 drawers, underdrawers, shorts, boxers, boxershorts +n03234952 drawing chalk +n03235042 drawing room, withdrawing room +n03235180 drawing room +n03235327 drawknife, drawshave +n03235796 drawstring bag +n03235979 dray, camion +n03236093 dreadnought, dreadnaught +n03236217 dredge +n03236423 dredger +n03236580 dredging bucket +n03236735 dress, frock +n03237212 dress blues, dress whites +n03237340 dresser +n03237416 dress hat, high hat, opera hat, silk hat, stovepipe, top hat, topper, beaver +n03237639 dressing, medical dressing +n03237839 dressing case +n03237992 dressing gown, robe-de-chambre, lounging robe +n03238131 dressing room +n03238286 dressing sack, dressing sacque +n03238586 dressing table, dresser, vanity, toilet table +n03238762 dress rack +n03238879 dress shirt, evening shirt +n03239054 dress suit, full dress, tailcoat, tail coat, tails, white tie, white tie and tails +n03239259 dress uniform +n03239607 drift net +n03239726 drill +n03240140 electric drill +n03240683 drilling platform, offshore rig +n03240892 drill press +n03241093 drill rig, drilling rig, oilrig, oil rig +n03241335 drinking fountain, water fountain, bubbler +n03241496 drinking vessel +n03241903 drip loop +n03242120 drip mat +n03242264 drip pan +n03242390 dripping pan, drip pan +n03242506 drip pot +n03242995 drive +n03243218 drive +n03243625 drive line, drive line system +n03244047 driver, number one wood +n03244231 driveshaft +n03244388 driveway, drive, private road +n03244775 driving iron, one iron +n03244919 driving wheel +n03245271 drogue, drogue chute, drogue parachute +n03245421 drogue parachute +n03245724 drone, drone pipe, bourdon +n03245889 drone, pilotless aircraft, radio-controlled aircraft +n03246197 drop arch +n03246312 drop cloth +n03246454 drop curtain, drop cloth, drop +n03246653 drop forge, drop hammer, drop press +n03246933 drop-leaf table +n03247083 dropper, eye dropper +n03247351 droshky, drosky +n03247495 drove, drove chisel +n03248835 drugget +n03249342 drugstore, apothecary's shop, chemist's, chemist's shop, pharmacy +n03249569 drum, membranophone, tympan +n03249956 drum, metal drum +n03250089 drum brake +n03250279 drumhead, head +n03250405 drum printer +n03250588 drum sander, electric sander, sander, smoother +n03250847 drumstick +n03250952 dry battery +n03251100 dry-bulb thermometer +n03251280 dry cell +n03251533 dry dock, drydock, graving dock +n03251766 dryer, drier +n03251932 dry fly +n03252231 dry kiln +n03252324 dry masonry +n03252422 dry point +n03252637 dry wall, dry-stone wall +n03252787 dual scan display +n03253071 duck +n03253187 duckboard +n03253279 duckpin +n03253714 dudeen +n03253796 duffel, duffle +n03253886 duffel bag, duffle bag, duffel, duffle +n03254046 duffel coat, duffle coat +n03254189 dugout +n03254374 dugout canoe, dugout, pirogue +n03254625 dulciana +n03254737 dulcimer +n03254862 dulcimer +n03255030 dumbbell +n03255167 dumb bomb, gravity bomb +n03255322 dumbwaiter, food elevator +n03255488 dumdum, dumdum bullet +n03255899 dumpcart +n03256032 Dumpster +n03256166 dump truck, dumper, tipper truck, tipper lorry, tip truck, tipper +n03256472 Dumpy level +n03256631 dunce cap, dunce's cap, fool's cap +n03256788 dune buggy, beach buggy +n03256928 dungeon +n03257065 duplex apartment, duplex +n03257210 duplex house, duplex, semidetached house +n03257586 duplicator, copier +n03258192 dust bag, vacuum bag +n03258330 dustcloth, dustrag, duster +n03258456 dust cover +n03258577 dust cover, dust sheet +n03258905 dustmop, dust mop, dry mop +n03259009 dustpan +n03259280 Dutch oven +n03259401 Dutch oven +n03259505 dwelling, home, domicile, abode, habitation, dwelling house +n03260206 dye-works +n03260504 dynamo +n03260733 dynamometer, ergometer +n03260849 Eames chair +n03261019 earflap, earlap +n03261263 early warning radar +n03261395 early warning system +n03261603 earmuff +n03261776 earphone, earpiece, headphone, phone +n03262072 earplug +n03262248 earplug +n03262519 earthenware +n03262717 earthwork +n03262809 easel +n03262932 easy chair, lounge chair, overstuffed chair +n03263076 eaves +n03263338 ecclesiastical attire, ecclesiastical robe +n03263640 echinus +n03263758 echocardiograph +n03264906 edger +n03265032 edge tool +n03265754 efficiency apartment +n03266195 egg-and-dart, egg-and-anchor, egg-and-tongue +n03266371 eggbeater, eggwhisk +n03266620 egg timer +n03266749 eiderdown, duvet, continental quilt +n03267113 eight ball +n03267468 ejection seat, ejector seat, capsule +n03267696 elastic +n03267821 elastic bandage +n03268142 Elastoplast +n03268311 elbow +n03268645 elbow pad +n03268790 electric, electric automobile, electric car +n03268918 electrical cable +n03269073 electrical contact +n03269203 electrical converter +n03269401 electrical device +n03270165 electrical system +n03270695 electric bell +n03270854 electric blanket +n03271030 electric chair, chair, death chair, hot seat +n03271260 electric clock +n03271376 electric-discharge lamp, gas-discharge lamp +n03271574 electric fan, blower +n03271765 electric frying pan +n03271865 electric furnace +n03272010 electric guitar +n03272125 electric hammer +n03272239 electric heater, electric fire +n03272383 electric lamp +n03272562 electric locomotive +n03272810 electric meter, power meter +n03272940 electric mixer +n03273061 electric motor +n03273551 electric organ, electronic organ, Hammond organ, organ +n03273740 electric range +n03273913 electric refrigerator, fridge +n03274265 electric toothbrush +n03274435 electric typewriter +n03274561 electro-acoustic transducer +n03274796 electrode +n03275125 electrodynamometer +n03275311 electroencephalograph +n03275566 electrograph +n03275681 electrolytic, electrolytic capacitor, electrolytic condenser +n03275864 electrolytic cell +n03276179 electromagnet +n03276696 electrometer +n03276839 electromyograph +n03277004 electron accelerator +n03277149 electron gun +n03277459 electronic balance +n03277602 electronic converter +n03277771 electronic device +n03278248 electronic equipment +n03278914 electronic fetal monitor, electronic foetal monitor, fetal monitor, foetal monitor +n03279153 electronic instrument, electronic musical instrument +n03279364 electronic voltmeter +n03279508 electron microscope +n03279804 electron multiplier +n03279918 electrophorus +n03280216 electroscope +n03280394 electrostatic generator, electrostatic machine, Wimshurst machine, Van de Graaff generator +n03280644 electrostatic printer +n03281145 elevator, lift +n03281524 elevator +n03281673 elevator shaft +n03282060 embankment +n03282295 embassy +n03282401 embellishment +n03283221 emergency room, ER +n03283413 emesis basin +n03283827 emitter +n03284308 empty +n03284482 emulsion, photographic emulsion +n03284743 enamel +n03284886 enamel +n03284981 enamelware +n03285578 encaustic +n03285730 encephalogram, pneumoencephalogram +n03285912 enclosure +n03286572 endoscope +n03287351 energizer, energiser +n03287733 engine +n03288003 engine +n03288500 engineering, engine room +n03288643 enginery +n03288742 English horn, cor anglais +n03288886 English saddle, English cavalry saddle +n03289660 enlarger +n03289985 ensemble +n03290096 ensign +n03290195 entablature +n03290653 entertainment center +n03291413 entrenching tool, trenching spade +n03291551 entrenchment, intrenchment +n03291741 envelope +n03291819 envelope +n03291963 envelope, gasbag +n03292085 eolith +n03292362 epauliere +n03292475 epee +n03292603 epergne +n03292736 epicyclic train, epicyclic gear train +n03292960 epidiascope +n03293095 epilating wax +n03293741 equalizer, equaliser +n03293863 equatorial +n03294048 equipment +n03294604 erasable programmable read-only memory, EPROM +n03294833 eraser +n03295012 erecting prism +n03295140 erection +n03295246 Erlenmeyer flask +n03295928 escape hatch +n03296081 escapement +n03296217 escape wheel +n03296328 escarpment, escarp, scarp, protective embankment +n03296478 escutcheon, scutcheon +n03296963 esophagoscope, oesophagoscope +n03297103 espadrille +n03297226 espalier +n03297495 espresso maker +n03297644 espresso shop +n03297735 establishment +n03298089 estaminet +n03298352 estradiol patch +n03298716 etagere +n03298858 etamine, etamin +n03299406 etching +n03300216 ethernet +n03300443 ethernet cable +n03301175 Eton jacket +n03301291 etui +n03301389 eudiometer +n03301568 euphonium +n03301833 evaporative cooler +n03301940 evening bag +n03302671 exercise bike, exercycle +n03302790 exercise device +n03302938 exhaust, exhaust system +n03303217 exhaust fan +n03303669 exhaust valve +n03303831 exhibition hall, exhibition area +n03304197 Exocet +n03304323 expansion bit, expansive bit +n03304465 expansion bolt +n03305300 explosive detection system, EDS +n03305522 explosive device +n03305953 explosive trace detection, ETD +n03306385 express, limited +n03306869 extension, telephone extension, extension phone +n03307037 extension cord +n03307573 external-combustion engine +n03307792 external drive +n03308152 extractor +n03308481 eyebrow pencil +n03308614 eyecup, eyebath, eye cup +n03309110 eyeliner +n03309356 eyepatch, patch +n03309465 eyepiece, ocular +n03309687 eyeshadow +n03309808 fabric, cloth, material, textile +n03313333 facade, frontage, frontal +n03314227 face guard +n03314378 face mask +n03314608 faceplate +n03314780 face powder +n03314884 face veil +n03315644 facing, cladding +n03315805 facing +n03315990 facing, veneer +n03316105 facsimile, facsimile machine, fax +n03316406 factory, mill, manufacturing plant, manufactory +n03316873 factory ship +n03317233 fagot, faggot +n03317510 fagot stitch, faggot stitch +n03317673 Fahrenheit thermometer +n03317788 faience +n03317889 faille +n03318136 fairlead +n03318294 fairy light +n03318865 falchion +n03318983 fallboard, fall-board +n03319167 fallout shelter +n03319457 false face +n03319576 false teeth +n03319745 family room +n03320046 fan +n03320262 fan belt +n03320421 fan blade +n03320519 fancy dress, masquerade, masquerade costume +n03320845 fanion +n03320959 fanlight +n03321103 fanjet, fan-jet, fanjet engine, turbojet, turbojet engine, turbofan, turbofan engine +n03321419 fanjet, fan-jet, turbofan, turbojet +n03321563 fanny pack, butt pack +n03321843 fan tracery +n03321954 fan vaulting +n03322570 farm building +n03322704 farmer's market, green market, greenmarket +n03322836 farmhouse +n03322940 farm machine +n03323096 farmplace, farm-place, farmstead +n03323211 farmyard +n03323319 farthingale +n03323703 fastener, fastening, holdfast, fixing +n03324629 fast reactor +n03324814 fat farm +n03324928 fatigues +n03325088 faucet, spigot +n03325288 fauld +n03325403 fauteuil +n03325584 feather boa, boa +n03325691 featheredge +n03325941 fedora, felt hat, homburg, Stetson, trilby +n03326073 feedback circuit, feedback loop +n03326371 feedlot +n03326475 fell, felled seam +n03326660 felloe, felly +n03326795 felt +n03326948 felt-tip pen, felt-tipped pen, felt tip, Magic Marker +n03327133 felucca +n03327234 fence, fencing +n03327553 fencing mask, fencer's mask +n03327691 fencing sword +n03327841 fender, wing +n03328201 fender, buffer, cowcatcher, pilot +n03329302 Ferris wheel +n03329536 ferrule, collet +n03329663 ferry, ferryboat +n03330002 ferule +n03330665 festoon +n03330792 fetoscope, foetoscope +n03330947 fetter, hobble +n03331077 fez, tarboosh +n03331244 fiber, fibre, vulcanized fiber +n03331599 fiber optic cable, fibre optic cable +n03332005 fiberscope +n03332173 fichu +n03332271 fiddlestick, violin bow +n03332393 field artillery, field gun +n03332591 field coil, field winding +n03332784 field-effect transistor, FET +n03332989 field-emission microscope +n03333129 field glass, glass, spyglass +n03333252 field hockey ball +n03333349 field hospital +n03333610 field house, sports arena +n03333711 field lens +n03333851 field magnet +n03334017 field-sequential color television, field-sequential color TV, field-sequential color television system, field-sequential color TV system +n03334291 field tent +n03334382 fieldwork +n03334492 fife +n03334912 fifth wheel, spare +n03335030 fighter, fighter aircraft, attack aircraft +n03335333 fighting chair +n03335461 fig leaf +n03335846 figure eight, figure of eight +n03336168 figure loom, figured-fabric loom +n03336282 figure skate +n03336575 filament +n03336742 filature +n03336839 file +n03337140 file, file cabinet, filing cabinet +n03337383 file folder +n03337494 file server +n03337822 filigree, filagree, fillagree +n03338287 filling +n03338821 film, photographic film +n03339296 film, plastic film +n03339529 film advance +n03339643 filter +n03340009 filter +n03340723 finder, viewfinder, view finder +n03340923 finery +n03341035 fine-tooth comb, fine-toothed comb +n03341153 finger +n03341297 fingerboard +n03341606 finger bowl +n03342015 finger paint, fingerpaint +n03342127 finger-painting +n03342262 finger plate, escutcheon, scutcheon +n03342432 fingerstall, cot +n03342657 finish coat, finishing coat +n03342863 finish coat, finishing coat +n03342961 finisher +n03343047 fin keel +n03343234 fipple +n03343354 fipple flute, fipple pipe, recorder, vertical flute +n03343560 fire +n03343737 fire alarm, smoke alarm +n03343853 firearm, piece, small-arm +n03344305 fire bell +n03344393 fireboat +n03344509 firebox +n03344642 firebrick +n03344784 fire control radar +n03344935 fire control system +n03345487 fire engine, fire truck +n03345837 fire extinguisher, extinguisher, asphyxiator +n03346135 fire iron +n03346289 fireman's ax, fireman's axe +n03346455 fireplace, hearth, open fireplace +n03347037 fire screen, fireguard +n03347472 fire tongs, coal tongs +n03347617 fire tower +n03348142 firewall +n03348868 firing chamber, gun chamber +n03349020 firing pin +n03349296 firkin +n03349367 firmer chisel +n03349469 first-aid kit +n03349599 first-aid station +n03349771 first base +n03349892 first class +n03350204 fishbowl, fish bowl, goldfish bowl +n03350352 fisherman's bend +n03350456 fisherman's knot, true lover's knot, truelove knot +n03350602 fisherman's lure, fish lure +n03351151 fishhook +n03351262 fishing boat, fishing smack, fishing vessel +n03351434 fishing gear, tackle, fishing tackle, fishing rig, rig +n03351979 fishing rod, fishing pole +n03352232 fish joint +n03352366 fish knife +n03352628 fishnet, fishing net +n03352961 fish slice +n03353281 fitment +n03353951 fixative +n03354207 fixer-upper +n03354903 flag +n03355468 flageolet, treble recorder, shepherd's pipe +n03355768 flagon +n03355925 flagpole, flagstaff +n03356038 flagship +n03356279 flail +n03356446 flambeau +n03356559 flamethrower +n03356858 flange, rim +n03356982 flannel +n03357081 flannel, gabardine, tweed, white +n03357267 flannelette +n03357716 flap, flaps +n03358172 flash, photoflash, flash lamp, flashgun, flashbulb, flash bulb +n03358380 flash +n03358726 flash camera +n03358841 flasher +n03359137 flashlight, torch +n03359285 flashlight battery +n03359436 flash memory +n03359566 flask +n03360133 flat arch, straight arch +n03360300 flatbed +n03360431 flatbed press, cylinder press +n03360622 flat bench +n03360731 flatcar, flatbed, flat +n03361109 flat file +n03361297 flatlet +n03361380 flat panel display, FPD +n03361550 flats +n03361683 flat tip screwdriver +n03362639 fleece +n03362771 fleet ballistic missile submarine +n03362890 fleur-de-lis, fleur-de-lys +n03363363 flight simulator, trainer +n03363549 flintlock +n03363749 flintlock, firelock +n03364008 flip-flop, thong +n03364156 flipper, fin +n03364599 float, plasterer's float +n03364937 floating dock, floating dry dock +n03365231 floatplane, pontoon plane +n03365374 flood, floodlight, flood lamp, photoflood +n03365592 floor, flooring +n03365991 floor, level, storey, story +n03366464 floor +n03366721 floorboard +n03366823 floor cover, floor covering +n03366974 floor joist +n03367059 floor lamp +n03367321 flophouse, dosshouse +n03367410 florist, florist shop, flower store +n03367545 floss +n03367875 flotsam, jetsam +n03367969 flour bin +n03368048 flour mill +n03368352 flowerbed, flower bed, bed of flowers +n03369276 flugelhorn, fluegelhorn +n03369407 fluid drive +n03369512 fluid flywheel +n03369866 flume +n03370387 fluorescent lamp +n03370646 fluoroscope, roentgenoscope +n03371875 flush toilet, lavatory +n03372029 flute, transverse flute +n03372549 flute, flute glass, champagne flute +n03372822 flux applicator +n03372933 fluxmeter +n03373237 fly +n03373611 flying boat +n03373943 flying buttress, arc-boutant +n03374102 flying carpet +n03374282 flying jib +n03374372 fly rod +n03374473 fly tent +n03374570 flytrap +n03374649 flywheel +n03374838 fob, watch chain, watch guard +n03375171 foghorn +n03375329 foglamp +n03375575 foil +n03376159 fold, sheepfold, sheep pen, sheepcote +n03376279 folder +n03376595 folding chair +n03376771 folding door, accordion door +n03376938 folding saw +n03378005 food court +n03378174 food processor +n03378342 food hamper +n03378442 foot +n03378593 footage +n03378765 football +n03379051 football helmet +n03379204 football stadium +n03379343 footbath +n03379719 foot brake +n03379828 footbridge, overcrossing, pedestrian bridge +n03379989 foothold, footing +n03380301 footlocker, locker +n03380647 foot rule +n03380724 footstool, footrest, ottoman, tuffet +n03380867 footwear, footgear +n03381126 footwear +n03381231 forceps +n03381450 force pump +n03381565 fore-and-after +n03381776 fore-and-aft sail +n03382104 forecastle, fo'c'sle +n03382292 forecourt +n03382413 foredeck +n03382533 fore edge, foredge +n03382708 foreground +n03382856 foremast +n03382969 fore plane +n03383099 foresail +n03383211 forestay +n03383378 foretop +n03383468 fore-topmast +n03383562 fore-topsail +n03383821 forge +n03384167 fork +n03384352 forklift +n03384891 formalwear, eveningwear, evening dress, evening clothes +n03385295 Formica +n03385557 fortification, munition +n03386011 fortress, fort +n03386343 forty-five +n03386544 Foucault pendulum +n03386726 foulard +n03386870 foul-weather gear +n03387323 foundation garment, foundation +n03387653 foundry, metalworks +n03388043 fountain +n03388183 fountain pen +n03388323 four-in-hand +n03388549 four-poster +n03388711 four-pounder +n03388990 four-stroke engine, four-stroke internal-combustion engine +n03389611 four-wheel drive, 4WD +n03389761 four-wheel drive, 4WD +n03389889 four-wheeler +n03389983 fowling piece +n03390075 foxhole, fox hole +n03390327 fragmentation bomb, antipersonnel bomb, anti-personnel bomb, daisy cutter +n03390673 frail +n03390786 fraise +n03390983 frame, framing +n03391301 frame +n03391613 frame buffer +n03391770 framework +n03392648 Francis turbine +n03392741 franking machine +n03393017 free house +n03393199 free-reed +n03393324 free-reed instrument +n03393761 freewheel +n03393912 freight car +n03394149 freight elevator, service elevator +n03394272 freight liner, liner train +n03394480 freight train, rattler +n03394649 French door +n03394916 French horn, horn +n03395256 French polish, French polish shellac +n03395401 French roof +n03395514 French window +n03395859 Fresnel lens +n03396074 fret +n03396580 friary +n03396654 friction clutch +n03396997 frieze +n03397087 frieze +n03397266 frigate +n03397412 frigate +n03397532 frill, flounce, ruffle, furbelow +n03397947 Frisbee +n03398153 frock +n03398228 frock coat +n03399579 frontlet, frontal +n03399677 front porch +n03399761 front projector +n03399971 fruit machine +n03400231 frying pan, frypan, skillet +n03400972 fuel filter +n03401129 fuel gauge, fuel indicator +n03401279 fuel injection, fuel injection system +n03401721 fuel system +n03402188 full-dress uniform +n03402369 full metal jacket +n03402511 full skirt +n03402785 fumigator +n03402941 funeral home, funeral parlor, funeral parlour, funeral chapel, funeral church, funeral-residence +n03403643 funnel +n03404012 funny wagon +n03404149 fur +n03404251 fur coat +n03404360 fur hat +n03404449 furnace +n03404900 furnace lining, refractory +n03405111 furnace room +n03405265 furnishing +n03405595 furnishing, trappings +n03405725 furniture, piece of furniture, article of furniture +n03406759 fur-piece +n03406966 furrow +n03407369 fuse, electrical fuse, safety fuse +n03407865 fusee drive, fusee +n03408054 fuselage +n03408264 fusil +n03408340 fustian +n03408444 futon +n03409297 gabardine +n03409393 gable, gable end, gable wall +n03409591 gable roof, saddle roof, saddleback, saddleback roof +n03409920 gadgetry +n03410022 gaff +n03410147 gaff +n03410303 gaff +n03410423 gaffsail, gaff-headed sail +n03410571 gaff topsail, fore-and-aft topsail +n03410740 gag, muzzle +n03410938 gaiter +n03411079 gaiter +n03411208 Galilean telescope +n03411339 galleon +n03411927 gallery +n03412058 gallery, art gallery, picture gallery +n03412220 galley, ship's galley, caboose, cookhouse +n03412387 galley +n03412511 galley +n03412906 gallows +n03413124 gallows tree, gallows-tree, gibbet, gallous +n03413264 galvanometer +n03413428 gambling house, gambling den, gambling hell, gaming house +n03413684 gambrel, gambrel roof +n03413828 game +n03414029 gamebag +n03414162 game equipment +n03414676 gaming table +n03415252 gamp, brolly +n03415486 gangplank, gangboard, gangway +n03415626 gangsaw +n03415749 gangway +n03415868 gantlet +n03416094 gantry, gauntry +n03416489 garage +n03416640 garage, service department +n03416775 Garand rifle, Garand, M-1, M-1 rifle +n03416900 garbage +n03417042 garbage truck, dustcart +n03417202 garboard, garboard plank, garboard strake +n03417345 garden +n03417749 garden +n03417970 garden rake +n03418158 garden spade +n03418242 garden tool, lawn tool +n03418402 garden trowel +n03418618 gargoyle +n03418749 garibaldi +n03418915 garlic press +n03419014 garment +n03420345 garment bag +n03420801 garrison cap, overseas cap +n03420935 garrote, garotte, garrotte, iron collar +n03421117 garter, supporter +n03421324 garter belt, suspender belt +n03421485 garter stitch +n03421669 gas guzzler +n03421768 gas shell +n03421960 gas bracket +n03422072 gas burner, gas jet +n03422484 gas-cooled reactor +n03422589 gas-discharge tube +n03422771 gas engine +n03423099 gas fixture +n03423224 gas furnace +n03423306 gas gun +n03423479 gas heater +n03423568 gas holder, gasometer +n03423719 gasket +n03423877 gas lamp +n03424204 gas maser +n03424325 gasmask, respirator, gas helmet +n03424489 gas meter, gasometer +n03424630 gasoline engine, petrol engine +n03424862 gasoline gauge, gasoline gage, gas gauge, gas gage, petrol gauge, petrol gage +n03425241 gas oven +n03425325 gas oven +n03425413 gas pump, gasoline pump, petrol pump, island dispenser +n03425595 gas range, gas stove, gas cooker +n03425769 gas ring +n03426134 gas tank, gasoline tank, petrol tank +n03426285 gas thermometer, air thermometer +n03426462 gastroscope +n03426574 gas turbine +n03426871 gas-turbine ship +n03427202 gat, rod +n03427296 gate +n03428090 gatehouse +n03428226 gateleg table +n03428349 gatepost +n03429003 gathered skirt +n03429137 Gatling gun +n03429288 gauge, gage +n03429682 gauntlet, gantlet +n03429771 gauntlet, gantlet, metal glove +n03429914 gauze, netting, veiling +n03430091 gauze, gauze bandage +n03430313 gavel +n03430418 gazebo, summerhouse +n03430551 gear, gear wheel, geared wheel, cogwheel +n03430959 gear, paraphernalia, appurtenance +n03431243 gear, gear mechanism +n03431570 gearbox, gear box, gear case +n03431745 gearing, gear, geartrain, power train, train +n03432061 gearset +n03432129 gearshift, gearstick, shifter, gear lever +n03432360 Geiger counter, Geiger-Muller counter +n03432509 Geiger tube, Geiger-Muller tube +n03433247 gene chip, DNA chip +n03433637 general-purpose bomb, GP bomb +n03433877 generator +n03434188 generator +n03434285 generator +n03434830 Geneva gown +n03435593 geodesic dome +n03435743 georgette +n03435991 gharry +n03436075 ghat +n03436182 ghetto blaster, boom box +n03436417 gift shop, novelty shop +n03436549 gift wrapping +n03436656 gig +n03436772 gig +n03436891 gig +n03436990 gig +n03437184 gildhall +n03437295 gill net +n03437430 gilt, gilding +n03437581 gimbal +n03437741 gingham +n03437829 girandole, girandola +n03437941 girder +n03438071 girdle, cincture, sash, waistband, waistcloth +n03438257 glass, drinking glass +n03438661 glass +n03438780 glass cutter +n03438863 glasses case +n03439348 glebe house +n03439631 Glengarry +n03439814 glider, sailplane +n03440216 Global Positioning System, GPS +n03440682 glockenspiel, orchestral bells +n03440876 glory hole, lazaretto +n03441112 glove +n03441345 glove compartment +n03441465 glow lamp +n03441582 glow tube +n03442288 glyptic art, glyptography +n03442487 glyptics, lithoglyptics +n03442597 gnomon +n03442756 goal +n03443005 goalmouth +n03443149 goalpost +n03443371 goblet +n03443543 godown +n03443912 goggles +n03444034 go-kart +n03445326 gold plate +n03445617 golf bag +n03445777 golf ball +n03445924 golfcart, golf cart +n03446070 golf club, golf-club, club +n03446268 golf-club head, club head, club-head, clubhead +n03446832 golf equipment +n03447075 golf glove +n03447358 golliwog, golliwogg +n03447447 gondola +n03447721 gong, tam-tam +n03447894 goniometer +n03448031 Gordian knot +n03448590 gorget +n03448696 gossamer +n03448956 Gothic arch +n03449217 gouache +n03449309 gouge +n03449451 gourd, calabash +n03449564 government building +n03449858 government office +n03450230 gown +n03450516 gown, robe +n03450734 gown, surgical gown, scrubs +n03450881 grab +n03450974 grab bag +n03451120 grab bar +n03451253 grace cup +n03451365 grade separation +n03451711 graduated cylinder +n03451798 graffito, graffiti +n03452267 gramophone, acoustic gramophone +n03452449 granary, garner +n03452594 grandfather clock, longcase clock +n03452741 grand piano, grand +n03453231 graniteware +n03453320 granny knot, granny +n03453443 grape arbor, grape arbour +n03454110 grapnel, grapnel anchor +n03454211 grapnel, grapple, grappler, grappling hook, grappling iron +n03454442 grass skirt +n03454536 grate, grating +n03454707 grate, grating +n03454885 grater +n03455355 graver, graving tool, pointel, pointrel +n03455488 gravestone, headstone, tombstone +n03455642 gravimeter, gravity meter +n03455802 gravure, photogravure, heliogravure +n03456024 gravy boat, gravy holder, sauceboat, boat +n03456186 grey, gray +n03456299 grease-gun, gun +n03456447 greasepaint +n03456548 greasy spoon +n03456665 greatcoat, overcoat, topcoat +n03457008 great hall +n03457451 greave, jambeau +n03457686 greengrocery +n03457902 greenhouse, nursery, glasshouse +n03458271 grenade +n03458422 grid, gridiron +n03459328 griddle +n03459591 grill, grille, grillwork +n03459775 grille, radiator grille +n03459914 grillroom, grill +n03460040 grinder +n03460147 grinding wheel, emery wheel +n03460297 grindstone +n03460455 gripsack +n03460899 gristmill +n03461288 grocery bag +n03461385 grocery store, grocery, food market, market +n03461651 grogram +n03461882 groined vault +n03461988 groover +n03462110 grosgrain +n03462315 gros point +n03462747 ground, earth +n03462972 ground bait +n03463185 ground control +n03463381 ground floor, first floor, ground level +n03463666 groundsheet, ground cloth +n03464053 G-string, thong +n03464467 guard, safety, safety device +n03464628 guard boat +n03464952 guardroom +n03465040 guardroom +n03465151 guard ship +n03465320 guard's van +n03465426 gueridon +n03465500 Guarnerius +n03465605 guesthouse +n03465718 guestroom +n03465818 guidance system, guidance device +n03466162 guided missile +n03466493 guided missile cruiser +n03466600 guided missile frigate +n03466839 guildhall +n03466947 guilloche +n03467068 guillotine +n03467254 guimpe +n03467380 guimpe +n03467517 guitar +n03467796 guitar pick +n03467887 gulag +n03467984 gun +n03468570 gunboat +n03468696 gun carriage +n03468821 gun case +n03469031 gun emplacement, weapons emplacement +n03469175 gun enclosure, gun turret, turret +n03469493 gunlock, firing mechanism +n03469832 gunnery +n03469903 gunnysack, gunny sack, burlap bag +n03470005 gun pendulum +n03470222 gun room +n03470387 gunsight, gun-sight +n03470629 gun trigger, trigger +n03470948 gurney +n03471030 gusher +n03471190 gusset, inset +n03471347 gusset, gusset plate +n03471779 guy, guy cable, guy wire, guy rope +n03472232 gymnastic apparatus, exerciser +n03472535 gym shoe, sneaker, tennis shoe +n03472672 gym suit +n03472796 gymslip +n03472937 gypsy cab +n03473078 gyrocompass +n03473227 gyroscope, gyro +n03473465 gyrostabilizer, gyrostabiliser +n03473817 habergeon +n03473966 habit +n03474167 habit, riding habit +n03474352 hacienda +n03474779 hacksaw, hack saw, metal saw +n03474896 haft, helve +n03475581 hairbrush +n03475674 haircloth, hair +n03475823 hairdressing, hair tonic, hair oil, hair grease +n03475961 hairnet +n03476083 hairpiece, false hair, postiche +n03476313 hairpin +n03476542 hair shirt +n03476684 hair slide +n03476991 hair spray +n03477143 hairspring +n03477303 hair trigger +n03477410 halberd +n03477512 half binding +n03477773 half hatchet +n03477902 half hitch +n03478589 half track +n03478756 hall +n03478907 hall +n03479121 hall +n03479266 Hall of Fame +n03479397 hall of residence +n03479502 hallstand +n03480579 halter +n03480719 halter, hackamore +n03480973 hame +n03481172 hammer +n03481521 hammer, power hammer +n03482001 hammer +n03482128 hammerhead +n03482252 hammock, sack +n03482405 hamper +n03482523 hand +n03482877 handball +n03483086 handbarrow +n03483230 handbell +n03483316 hand blower, blow dryer, blow drier, hair dryer, hair drier +n03483531 handbow +n03483637 hand brake, emergency, emergency brake, parking brake +n03483823 hand calculator, pocket calculator +n03483971 handcar +n03484083 handcart, pushcart, cart, go-cart +n03484487 hand cream +n03484576 handcuff, cuff, handlock, manacle +n03484809 hand drill, handheld drill +n03484931 hand glass, simple microscope, magnifying glass +n03485198 hand glass, hand mirror +n03485309 hand grenade +n03485407 hand-held computer, hand-held microcomputer +n03485575 handhold +n03485794 handkerchief, hankie, hanky, hankey +n03487090 handlebar +n03487331 handloom +n03487444 hand lotion +n03487533 hand luggage +n03487642 hand-me-down +n03487774 hand mower +n03487886 hand pump +n03488111 handrest +n03488188 handsaw, hand saw, carpenter's saw +n03488438 handset, French telephone +n03488603 hand shovel +n03488784 handspike +n03488887 handstamp, rubber stamp +n03489048 hand throttle +n03489162 hand tool +n03490006 hand towel, face towel +n03490119 hand truck, truck +n03490324 handwear, hand wear +n03490449 handwheel +n03490649 handwheel +n03490784 hangar queen +n03490884 hanger +n03491032 hang glider +n03491724 hangman's rope, hangman's halter, halter, hemp, hempen necktie +n03491988 hank +n03492087 hansom, hansom cab +n03492250 harbor, harbour +n03492542 hard disc, hard disk, fixed disk +n03492922 hard hat, tin hat, safety hat +n03493219 hardtop +n03493792 hardware, ironware +n03493911 hardware store, ironmonger, ironmonger's shop +n03494278 harmonica, mouth organ, harp, mouth harp +n03494537 harmonium, organ, reed organ +n03494706 harness +n03495039 harness +n03495258 harp +n03495570 harp +n03495671 harpoon +n03495941 harpoon gun +n03496183 harpoon log +n03496296 harpsichord, cembalo +n03496486 Harris Tweed +n03496612 harrow +n03496892 harvester, reaper +n03497100 hash house +n03497352 hasp +n03497657 hat, chapeau, lid +n03498441 hatbox +n03498536 hatch +n03498662 hatchback, hatchback door +n03498781 hatchback +n03498866 hatchel, heckle +n03498962 hatchet +n03499354 hatpin +n03499468 hauberk, byrnie +n03499907 Hawaiian guitar, steel guitar +n03500090 hawse, hawsehole, hawsepipe +n03500209 hawser +n03500295 hawser bend +n03500389 hay bale +n03500457 hayfork +n03500557 hayloft, haymow, mow +n03500699 haymaker, hay conditioner +n03500838 hayrack, hayrig +n03500971 hayrack +n03501152 hazard +n03501288 head +n03501520 head +n03501614 head +n03502200 headboard +n03502331 head covering, veil +n03502509 headdress, headgear +n03502777 header +n03502897 header +n03503097 header, coping, cope +n03503233 header, lintel +n03503358 headfast +n03503477 head gasket +n03503567 head gate +n03503718 headgear +n03503997 headlight, headlamp +n03504205 headpiece +n03504293 headpin, kingpin +n03504723 headquarters, central office, main office, home office, home base +n03505015 headrace +n03505133 headrest +n03505383 headsail +n03505504 headscarf +n03505667 headset +n03505764 head shop +n03506028 headstall, headpiece +n03506184 headstock +n03506370 health spa, spa, health club +n03506560 hearing aid, ear trumpet +n03506727 hearing aid, deaf-aid +n03506880 hearse +n03507241 hearth, fireside +n03507458 hearthrug +n03507658 heart-lung machine +n03507963 heat engine +n03508101 heater, warmer +n03508485 heat exchanger +n03508881 heating pad, hot pad +n03509394 heat lamp, infrared lamp +n03509608 heat pump +n03509843 heat-seeking missile +n03510072 heat shield +n03510244 heat sink +n03510384 heaume +n03510487 heaver +n03510583 heavier-than-air craft +n03510866 heckelphone, basset oboe +n03510987 hectograph, heliotype +n03511175 hedge, hedgerow +n03511333 hedge trimmer +n03512030 helicon, bombardon +n03512147 helicopter, chopper, whirlybird, eggbeater +n03512452 heliograph +n03512624 heliometer +n03512911 helm +n03513137 helmet +n03513376 helmet +n03514129 hematocrit, haematocrit +n03514340 hemming-stitch +n03514451 hemostat, haemostat +n03514693 hemstitch, hemstitching +n03514894 henroost +n03515338 heraldry +n03515934 hermitage +n03516266 herringbone +n03516367 herringbone, herringbone pattern +n03516647 Herschelian telescope, off-axis reflector +n03516844 Hessian boot, hessian, jackboot, Wellington, Wellington boot +n03516996 heterodyne receiver, superheterodyne receiver, superhet +n03517509 hibachi +n03517647 hideaway, retreat +n03517760 hi-fi, high fidelity sound system +n03517899 high altar +n03517982 high-angle gun +n03518135 highball glass +n03518230 highboard +n03518305 highboy, tallboy +n03518445 highchair, feeding chair +n03518631 high gear, high +n03518829 high-hat cymbal, high hat +n03518943 highlighter +n03519081 highlighter +n03519226 high-pass filter +n03519387 high-rise, tower block +n03519674 high table +n03519848 high-warp loom +n03520493 hijab +n03521076 hinge, flexible joint +n03521431 hinging post, swinging post +n03521544 hip boot, thigh boot +n03521675 hipflask, pocket flask +n03521771 hip pad +n03521899 hip pocket +n03522003 hippodrome +n03522100 hip roof, hipped roof +n03522634 hitch +n03522863 hitch +n03522990 hitching post +n03523134 hitchrack, hitching bar +n03523398 hob +n03523506 hobble skirt +n03523987 hockey skate +n03524150 hockey stick +n03524287 hod +n03524425 hodoscope +n03524574 hoe +n03524745 hoe handle +n03524976 hogshead +n03525074 hoist +n03525252 hold, keep +n03525454 holder +n03525693 holding cell +n03525827 holding device +n03526062 holding pen, holding paddock, holding yard +n03527149 hollowware, holloware +n03527444 holster +n03527565 holster +n03527675 holy of holies, sanctum sanctorum +n03528100 home, nursing home, rest home +n03528263 home appliance, household appliance +n03528523 home computer +n03528901 home plate, home base, home, plate +n03529175 home room, homeroom +n03529444 homespun +n03529629 homestead +n03529860 home theater, home theatre +n03530189 homing torpedo +n03530511 hone +n03530642 honeycomb +n03530910 hood, bonnet, cowl, cowling +n03531281 hood +n03531447 hood +n03531546 hood, exhaust hood +n03531691 hood +n03531982 hood latch +n03532342 hook +n03532672 hook, claw +n03532919 hook +n03533014 hookah, narghile, nargileh, sheesha, shisha, chicha, calean, kalian, water pipe, hubble-bubble, hubbly-bubbly +n03533392 hook and eye +n03533486 hookup, assemblage +n03533654 hookup +n03533845 hook wrench, hook spanner +n03534580 hoopskirt, crinoline +n03534695 hoosegow, hoosgow +n03534776 Hoover +n03535024 hope chest, wedding chest +n03535284 hopper +n03535647 hopsacking, hopsack +n03535780 horizontal bar, high bar +n03536122 horizontal stabilizer, horizontal stabiliser, tailplane +n03536568 horizontal tail +n03536761 horn +n03537085 horn +n03537241 horn +n03537412 horn button +n03537550 hornpipe, pibgorn, stockhorn +n03538037 horse, gymnastic horse +n03538179 horsebox +n03538300 horsecar +n03538406 horse cart, horse-cart +n03538542 horsecloth +n03538634 horse-drawn vehicle +n03538817 horsehair +n03538957 horsehair wig +n03539103 horseless carriage +n03539293 horse pistol, horse-pistol +n03539433 horseshoe, shoe +n03539546 horseshoe +n03539678 horse-trail +n03539754 horsewhip +n03540090 hose +n03540267 hosiery, hose +n03540476 hospice +n03540595 hospital, infirmary +n03540914 hospital bed +n03541091 hospital room +n03541269 hospital ship +n03541393 hospital train +n03541537 hostel, youth hostel, student lodging +n03541696 hostel, hostelry, inn, lodge, auberge +n03541923 hot-air balloon +n03542333 hotel +n03542605 hotel-casino, casino-hotel +n03542727 hotel-casino, casino-hotel +n03542860 hotel room +n03543012 hot line +n03543112 hot pants +n03543254 hot plate, hotplate +n03543394 hot rod, hot-rod +n03543511 hot spot, hotspot +n03543603 hot tub +n03543735 hot-water bottle, hot-water bag +n03543945 houndstooth check, hound's-tooth check, dogstooth check, dogs-tooth check, dog's-tooth check +n03544143 hourglass +n03544238 hour hand, little hand +n03544360 house +n03545150 house +n03545470 houseboat +n03545585 houselights +n03545756 house of cards, cardhouse, card-house, cardcastle +n03545961 house of correction +n03546112 house paint, housepaint +n03546235 housetop +n03546340 housing, lodging, living accommodations +n03547054 hovel, hut, hutch, shack, shanty +n03547229 hovercraft, ground-effect machine +n03547397 howdah, houdah +n03547530 huarache, huaraches +n03547861 hub-and-spoke, hub-and-spoke system +n03548086 hubcap +n03548195 huck, huckaback +n03548320 hug-me-tight +n03548402 hula-hoop +n03548533 hulk +n03548626 hull +n03548930 humeral veil, veil +n03549199 Humvee, Hum-Vee +n03549350 hunter, hunting watch +n03549473 hunting knife +n03549589 hurdle +n03549732 hurricane deck, hurricane roof, promenade deck, awning deck +n03549897 hurricane lamp, hurricane lantern, tornado lantern, storm lantern, storm lamp +n03550153 hut, army hut, field hut +n03550289 hutch +n03550420 hutment +n03551084 hydraulic brake, hydraulic brakes +n03551395 hydraulic press +n03551582 hydraulic pump, hydraulic ram +n03551790 hydraulic system +n03552001 hydraulic transmission, hydraulic transmission system +n03552449 hydroelectric turbine +n03552749 hydrofoil, hydroplane +n03553019 hydrofoil, foil +n03553248 hydrogen bomb, H-bomb, fusion bomb, thermonuclear bomb +n03553486 hydrometer, gravimeter +n03554375 hygrodeik +n03554460 hygrometer +n03554645 hygroscope +n03555006 hyperbaric chamber +n03555217 hypercoaster +n03555426 hypermarket +n03555564 hypodermic needle +n03555662 hypodermic syringe, hypodermic, hypo +n03555862 hypsometer +n03555996 hysterosalpingogram +n03556173 I-beam +n03556679 ice ax, ice axe, piolet +n03556811 iceboat, ice yacht, scooter +n03556992 icebreaker, iceboat +n03557270 iced-tea spoon +n03557360 ice hockey rink, ice-hockey rink +n03557590 ice machine +n03557692 ice maker +n03557840 ice pack, ice bag +n03558007 icepick, ice pick +n03558176 ice rink, ice-skating rink, ice +n03558404 ice skate +n03558633 ice tongs +n03558739 icetray +n03559373 iconoscope +n03559531 Identikit, Identikit picture +n03559999 idle pulley, idler pulley, idle wheel +n03560430 igloo, iglu +n03560860 ignition coil +n03561047 ignition key +n03561169 ignition switch +n03561573 imaret +n03562565 immovable bandage +n03563200 impact printer +n03563460 impeller +n03563710 implant +n03563967 implement +n03564849 impression +n03565288 imprint +n03565565 improvised explosive device, I.E.D., IED +n03565710 impulse turbine +n03565830 in-basket, in-tray +n03565991 incendiary bomb, incendiary, firebomb +n03566193 incinerator +n03566329 inclined plane +n03566555 inclinometer, dip circle +n03566730 inclinometer +n03566860 incrustation, encrustation +n03567066 incubator, brooder +n03567635 index register +n03567788 Indiaman +n03567912 Indian club +n03568117 indicator +n03568818 induction coil +n03569014 inductor, inductance +n03569174 industrial watercourse +n03569293 inertial guidance system, inertial navigation system +n03569494 inflater, inflator +n03571280 inhaler, inhalator +n03571439 injector +n03571625 ink bottle, inkpot +n03571853 ink eraser +n03571942 ink-jet printer +n03572107 inkle +n03572205 inkstand +n03572321 inkwell, inkstand +n03572631 inlay +n03573574 inside caliper +n03573848 insole, innersole +n03574243 instep +n03574416 instillator +n03574555 institution +n03574816 instrument +n03575958 instrument of punishment +n03576215 instrument of torture +n03576443 intaglio, diaglyph +n03576955 intake valve +n03577090 integrated circuit, microcircuit +n03577312 integrator, planimeter +n03577474 Intelnet +n03577672 interceptor +n03577818 interchange +n03578055 intercommunication system, intercom +n03578251 intercontinental ballistic missile, ICBM +n03578656 interface, port +n03578981 interferometer +n03579538 interior door +n03579982 internal-combustion engine, ICE +n03580518 internal drive +n03580615 internet, net, cyberspace +n03580845 interphone +n03580990 interrupter +n03581125 intersection, crossroad, crossway, crossing, carrefour +n03581531 interstice +n03581897 intraocular lens +n03582508 intravenous pyelogram, IVP +n03582959 inverter +n03583419 ion engine +n03583621 ionization chamber, ionization tube +n03584254 iPod +n03584400 video iPod +n03584829 iron, smoothing iron +n03585073 iron +n03585337 iron, branding iron +n03585438 irons, chains +n03585551 ironclad +n03585682 iron foundry +n03585778 iron horse +n03585875 ironing +n03586219 iron lung +n03586631 ironmongery +n03586911 ironworks +n03587205 irrigation ditch +n03588216 izar +n03588841 jabot +n03588951 jack +n03589313 jack, jackstones +n03589513 jack +n03589672 jack +n03589791 jacket +n03590306 jacket +n03590475 jacket +n03590588 jack-in-the-box +n03590841 jack-o'-lantern +n03590932 jack plane +n03591116 Jacob's ladder, jack ladder, pilot ladder +n03591313 jaconet +n03591592 Jacquard loom, Jacquard +n03591798 jacquard +n03591901 jag, dag +n03592245 jail, jailhouse, gaol, clink, slammer, poky, pokey +n03592669 jalousie +n03592773 jamb +n03592931 jammer +n03593122 jampot, jamjar +n03593222 japan +n03593526 jar +n03593862 Jarvik heart, Jarvik artificial heart +n03594010 jaunting car, jaunty car +n03594148 javelin +n03594277 jaw +n03594523 Jaws of Life +n03594734 jean, blue jean, denim +n03594945 jeep, landrover +n03595055 jellaba +n03595264 jerkin +n03595409 jeroboam, double-magnum +n03595523 jersey +n03595614 jersey, T-shirt, tee shirt +n03595860 jet, jet plane, jet-propelled plane +n03596099 jet bridge +n03596285 jet engine +n03596543 jetliner +n03597147 jeweler's glass +n03597317 jewelled headdress, jeweled headdress +n03597916 jew's harp, jews' harp, mouth bow +n03598151 jib +n03598299 jibboom +n03598385 jig +n03598515 jig +n03598646 jiggermast, jigger +n03598783 jigsaw, scroll saw, fretsaw +n03598930 jigsaw puzzle +n03599486 jinrikisha, ricksha, rickshaw +n03599964 jobcentre +n03600285 jodhpurs, jodhpur breeches, riding breeches +n03600475 jodhpur, jodhpur boot, jodhpur shoe +n03600722 joinery +n03600977 joint +n03601442 Joint Direct Attack Munition, JDAM +n03601638 jointer, jointer plane, jointing plane, long plane +n03601840 joist +n03602081 jolly boat, jolly +n03602194 jorum +n03602365 joss house +n03602686 journal bearing +n03602790 journal box +n03602883 joystick +n03603442 jungle gym +n03603594 junk +n03603722 jug +n03604156 jukebox, nickelodeon +n03604311 jumbojet, jumbo jet +n03604400 jumper, pinafore, pinny +n03604536 jumper +n03604629 jumper +n03604763 jumper +n03604843 jumper cable, jumper lead, lead, booster cable +n03605417 jump seat +n03605504 jump suit +n03605598 jump suit, jumpsuit +n03605722 junction +n03605915 junction, conjunction +n03606106 junction barrier, barrier strip +n03606251 junk shop +n03606347 jury box +n03606465 jury mast +n03607029 kachina +n03607186 kaffiyeh +n03607527 kalansuwa +n03607659 Kalashnikov +n03607923 kameez +n03608504 kanzu +n03609147 katharometer +n03609235 kayak +n03609397 kazoo +n03609542 keel +n03609786 keelboat +n03609959 keelson +n03610098 keep, donjon, dungeon +n03610418 keg +n03610524 kennel, doghouse, dog house +n03610682 kepi, peaked cap, service cap, yachting cap +n03610836 keratoscope +n03610992 kerchief +n03612010 ketch +n03612814 kettle, boiler +n03612965 kettle, kettledrum, tympanum, tympani, timpani +n03613294 key +n03613592 key +n03614007 keyboard +n03614383 keyboard buffer +n03614532 keyboard instrument +n03614782 keyhole +n03614887 keyhole saw +n03615300 khadi, khaddar +n03615406 khaki +n03615563 khakis +n03615655 khimar +n03615790 khukuri +n03616091 kick pleat +n03616225 kicksorter, pulse height analyzer +n03616428 kickstand +n03616763 kick starter, kick start +n03616979 kid glove, suede glove +n03617095 kiln +n03617312 kilt +n03617480 kimono +n03617594 kinescope, picture tube, television tube +n03617834 Kinetoscope +n03618101 king +n03618339 king +n03618546 kingbolt, kingpin, swivel pin +n03618678 king post +n03618797 Kipp's apparatus +n03618982 kirk +n03619050 kirpan +n03619196 kirtle +n03619275 kirtle +n03619396 kit, outfit +n03619650 kit +n03619793 kitbag, kit bag +n03619890 kitchen +n03620052 kitchen appliance +n03620353 kitchenette +n03620967 kitchen table +n03621049 kitchen utensil +n03621377 kitchenware +n03621694 kite balloon +n03622058 klaxon, claxon +n03622401 klieg light +n03622526 klystron +n03622839 knee brace +n03622931 knee-high, knee-hi +n03623198 knee pad +n03623338 knee piece +n03623556 knife +n03624134 knife +n03624400 knife blade +n03624767 knight, horse +n03625355 knit +n03625539 knitting machine +n03625646 knitting needle +n03625943 knitwear +n03626115 knob, boss +n03626272 knob, pommel +n03626418 knobble +n03626502 knobkerrie, knobkerry +n03626760 knocker, doorknocker, rapper +n03627232 knot +n03627954 knuckle joint, hinge joint +n03628071 kohl +n03628215 koto +n03628421 kraal +n03628511 kremlin +n03628728 kris, creese, crease +n03628831 krummhorn, crumhorn, cromorne +n03628984 Kundt's tube +n03629100 Kurdistan +n03629231 kurta +n03629520 kylix, cylix +n03629643 kymograph, cymograph +n03630262 lab bench, laboratory bench +n03630383 lab coat, laboratory coat +n03631177 lace +n03631811 lacquer +n03631922 lacquerware +n03632100 lacrosse ball +n03632577 ladder-back +n03632729 ladder-back, ladder-back chair +n03632852 ladder truck, aerial ladder truck +n03632963 ladies' room, powder room +n03633091 ladle +n03633341 lady chapel +n03633632 lagerphone +n03633886 lag screw, lag bolt +n03634034 lake dwelling, pile dwelling +n03634899 lally, lally column +n03635032 lamasery +n03635108 lambrequin +n03635330 lame +n03635516 laminar flow clean room +n03635668 laminate +n03635932 lamination +n03636248 lamp +n03636649 lamp +n03637027 lamp house, lamphouse, lamp housing +n03637181 lamppost +n03637318 lampshade, lamp shade +n03637480 lanai +n03637787 lancet arch, lancet +n03637898 lancet window +n03638014 landau +n03638180 lander +n03638623 landing craft +n03638743 landing flap +n03638883 landing gear +n03639077 landing net +n03639230 landing skid +n03639497 land line, landline +n03639675 land mine, ground-emplaced mine, booby trap +n03639880 land office +n03640850 lanolin +n03640988 lantern +n03641569 lanyard, laniard +n03641947 lap, lap covering +n03642144 laparoscope +n03642341 lapboard +n03642444 lapel +n03642573 lap joint, splice +n03642806 laptop, laptop computer +n03643149 laryngoscope +n03643253 laser, optical maser +n03643491 laser-guided bomb, LGB +n03643737 laser printer +n03643907 lash, thong +n03644073 lashing +n03644378 lasso, lariat, riata, reata +n03644858 latch +n03645011 latch, door latch +n03645168 latchet +n03645290 latchkey +n03645577 lateen, lateen sail +n03646020 latex paint, latex, rubber-base paint +n03646148 lath +n03646296 lathe +n03646809 latrine +n03646916 lattice, latticework, fretwork +n03647423 launch +n03647520 launcher, rocket launcher +n03648219 laundry, wash, washing, washables +n03648431 laundry cart +n03648667 laundry truck +n03649003 lavalava +n03649161 lavaliere, lavalier, lavalliere +n03649288 laver +n03649674 lawn chair, garden chair +n03649797 lawn furniture +n03649909 lawn mower, mower +n03650551 layette +n03651388 lead-acid battery, lead-acid accumulator +n03651605 lead-in +n03651843 leading rein +n03652100 lead pencil +n03652389 leaf spring +n03652729 lean-to +n03652826 lean-to tent +n03652932 leash, tether, lead +n03653110 leatherette, imitation leather +n03653220 leather strip +n03653454 Leclanche cell +n03653583 lectern, reading desk +n03653740 lecture room +n03653833 lederhosen +n03653975 ledger board +n03654576 leg +n03654826 leg +n03655072 legging, leging, leg covering +n03655470 Leiden jar, Leyden jar +n03655720 leisure wear +n03656484 lens, lense, lens system +n03656957 lens, electron lens +n03657121 lens cap, lens cover +n03657239 lens implant, interocular lens implant, IOL +n03657511 leotard, unitard, body suit, cat suit +n03658102 letter case +n03658185 letter opener, paper knife, paperknife +n03658635 levee +n03658858 level, spirit level +n03659292 lever +n03659686 lever, lever tumbler +n03659809 lever +n03659950 lever lock +n03660124 Levi's, levis +n03660562 Liberty ship +n03660909 library +n03661043 library +n03661340 lid +n03662301 Liebig condenser +n03662452 lie detector +n03662601 lifeboat +n03662719 life buoy, lifesaver, life belt, life ring +n03662887 life jacket, life vest, cork jacket +n03663433 life office +n03663531 life preserver, preserver, flotation device +n03663910 life-support system, life support +n03664159 life-support system, life support +n03664675 lifting device +n03664840 lift pump +n03664943 ligament +n03665232 ligature +n03665366 light, light source +n03665851 light arm +n03665924 light bulb, lightbulb, bulb, incandescent lamp, electric light, electric-light bulb +n03666238 light circuit, lighting circuit +n03666362 light-emitting diode, LED +n03666591 lighter, light, igniter, ignitor +n03666917 lighter-than-air craft +n03667060 light filter, diffusing screen +n03667235 lighting +n03667552 light machine gun +n03667664 light meter, exposure meter, photometer +n03667829 light microscope +n03668067 lightning rod, lightning conductor +n03668279 light pen, electronic stylus +n03668488 lightship +n03668803 Lilo +n03669245 limber +n03669534 limekiln +n03669886 limiter, clipper +n03670208 limousine, limo +n03671914 linear accelerator, linac +n03672521 linen +n03672827 line printer, line-at-a-time printer +n03673027 liner, ocean liner +n03673270 liner, lining +n03673450 lingerie, intimate apparel +n03673767 lining, liner +n03674270 link, data link +n03674440 linkage +n03674731 Link trainer +n03674842 linocut +n03675076 linoleum knife, linoleum cutter +n03675235 Linotype, Linotype machine +n03675445 linsey-woolsey +n03675558 linstock +n03675907 lion-jaw forceps +n03676087 lip-gloss +n03676483 lipstick, lip rouge +n03676623 liqueur glass +n03676759 liquid crystal display, LCD +n03677115 liquid metal reactor +n03677682 lisle +n03677766 lister, lister plow, lister plough, middlebreaker, middle buster +n03678558 litterbin, litter basket, litter-basket +n03678729 little theater, little theatre +n03678879 live axle, driving axle +n03679384 living quarters, quarters +n03679712 living room, living-room, sitting room, front room, parlor, parlour +n03680248 load +n03680355 Loafer +n03680512 loaner +n03680734 lobe +n03680858 lobster pot +n03680942 local +n03681477 local area network, LAN +n03681813 local oscillator, heterodyne oscillator +n03682380 Lochaber ax +n03682487 lock +n03682877 lock, ignition lock +n03683079 lock, lock chamber +n03683341 lock +n03683457 lockage +n03683606 locker +n03683708 locker room +n03683995 locket +n03684143 lock-gate +n03684224 locking pliers +n03684489 lockring, lock ring, lock washer +n03684611 lockstitch +n03684740 lockup +n03684823 locomotive, engine, locomotive engine, railway locomotive +n03685307 lodge, indian lodge +n03685486 lodge, hunting lodge +n03685640 lodge +n03685820 lodging house, rooming house +n03686130 loft, attic, garret +n03686363 loft, pigeon loft +n03686470 loft +n03686924 log cabin +n03687137 loggia +n03687928 longbow +n03688066 long iron +n03688192 long johns +n03688405 long sleeve +n03688504 long tom +n03688605 long trousers, long pants +n03688707 long underwear, union suit +n03688832 looking glass, glass +n03688943 lookout, observation tower, lookout station, observatory +n03689157 loom +n03689570 loop knot +n03690168 lorgnette +n03690279 Lorraine cross, cross of Lorraine +n03690473 lorry, camion +n03690851 lota +n03690938 lotion +n03691459 loudspeaker, speaker, speaker unit, loudspeaker system, speaker system +n03691817 lounge, waiting room, waiting area +n03692004 lounger +n03692136 lounging jacket, smoking jacket +n03692272 lounging pajama, lounging pyjama +n03692379 loungewear +n03692522 loupe, jeweler's loupe +n03692842 louvered window, jalousie +n03693293 love knot, lovers' knot, lover's knot, true lovers' knot, true lover's knot +n03693474 love seat, loveseat, tete-a-tete, vis-a-vis +n03693707 loving cup +n03693860 lowboy +n03694196 low-pass filter +n03694356 low-warp-loom +n03694639 LP, L-P +n03694761 L-plate +n03694949 lubber's hole +n03695122 lubricating system, force-feed lubricating system, force feed, pressure-feed lubricating system, pressure feed +n03695452 luff +n03695616 lug +n03695753 luge +n03695857 Luger +n03695957 luggage carrier +n03696065 luggage compartment, automobile trunk, trunk +n03696301 luggage rack, roof rack +n03696445 lugger +n03696568 lugsail, lug +n03696746 lug wrench +n03696909 lumberjack, lumber jacket +n03697007 lumbermill, sawmill +n03697366 lunar excursion module, lunar module, LEM +n03697552 lunchroom +n03697812 lunette +n03697913 lungi, lungyi, longyi +n03698123 lunula +n03698226 lusterware +n03698360 lute +n03698604 luxury liner, express luxury liner +n03698723 lyceum +n03698815 lychgate, lichgate +n03699280 lyre +n03699591 machete, matchet, panga +n03699754 machicolation +n03699975 machine +n03700963 machine, simple machine +n03701191 machine bolt +n03701391 machine gun +n03701640 machinery +n03701790 machine screw +n03702248 machine tool +n03702440 machinist's vise, metalworking vise +n03702582 machmeter +n03703075 mackinaw +n03703203 mackinaw, Mackinaw boat +n03703463 mackinaw, Mackinaw coat +n03703590 mackintosh, macintosh +n03703730 macrame +n03703862 madras +n03703945 Mae West, air jacket +n03704549 magazine rack +n03704834 magic lantern +n03705379 magnet +n03705808 magnetic bottle +n03706229 magnetic compass +n03706415 magnetic core memory, core memory +n03706653 magnetic disk, magnetic disc, disk, disc +n03706939 magnetic head +n03707171 magnetic mine +n03707372 magnetic needle +n03707597 magnetic recorder +n03707766 magnetic stripe +n03708036 magnetic tape, mag tape, tape +n03708425 magneto, magnetoelectric machine +n03708843 magnetometer, gaussmeter +n03708962 magnetron +n03709206 magnifier +n03709363 magnum +n03709545 magnus hitch +n03709644 mail +n03709823 mailbag, postbag +n03709960 mailbag, mail pouch +n03710079 mailboat, mail boat, packet, packet boat +n03710193 mailbox, letter box +n03710294 mail car +n03710421 maildrop +n03710528 mailer +n03710637 maillot +n03710721 maillot, tank suit +n03710937 mailsorter +n03711044 mail train +n03711711 mainframe, mainframe computer +n03711999 mainmast +n03712111 main rotor +n03712337 mainsail +n03712444 mainspring +n03712887 main-topmast +n03712981 main-topsail +n03713069 main yard +n03713151 maisonette, maisonnette +n03713436 majolica, maiolica +n03714235 makeup, make-up, war paint +n03715114 Maksutov telescope +n03715275 malacca, malacca cane +n03715386 mallet, beetle +n03715669 mallet, hammer +n03715892 mallet +n03716228 mammogram +n03716887 mandola +n03716966 mandolin +n03717131 manger, trough +n03717285 mangle +n03717447 manhole +n03717622 manhole cover +n03718212 man-of-war, ship of the line +n03718335 manometer +n03718458 manor, manor house +n03718581 manor hall, hall +n03718699 MANPAD +n03718789 mansard, mansard roof +n03718935 manse +n03719053 mansion, mansion house, manse, hall, residence +n03719343 mantel, mantelpiece, mantle, mantlepiece, chimneypiece +n03719560 mantelet, mantilla +n03719743 mantilla +n03720005 Mao jacket +n03720163 map +n03720665 maquiladora +n03720891 maraca +n03721047 marble +n03721252 marching order +n03721384 marimba, xylophone +n03721590 marina +n03722007 marker +n03722288 marketplace, market place, mart, market +n03722646 marlinespike, marlinspike, marlingspike +n03722944 marocain, crepe marocain +n03723153 marquee, marquise +n03723267 marquetry, marqueterie +n03723439 marriage bed +n03723781 martello tower +n03723885 martingale +n03724066 mascara +n03724176 maser +n03724417 masher +n03724538 mashie, five iron +n03724623 mashie niblick, seven iron +n03724756 masjid, musjid +n03724870 mask +n03725035 mask +n03725506 Masonite +n03725600 Mason jar +n03725717 masonry +n03725869 mason's level +n03726116 massage parlor +n03726233 massage parlor +n03726371 mass spectrograph +n03726516 mass spectrometer, spectrometer +n03726760 mast +n03726993 mast +n03727067 mastaba, mastabah +n03727465 master bedroom +n03727605 masterpiece, chef-d'oeuvre +n03727837 mat +n03727946 mat, gym mat +n03728437 match, lucifer, friction match +n03728982 match +n03729131 matchboard +n03729308 matchbook +n03729402 matchbox +n03729482 matchlock +n03729647 match plane, tonguing and grooving plane +n03729826 matchstick +n03729951 material +n03730153 materiel, equipage +n03730334 maternity hospital +n03730494 maternity ward +n03730655 matrix +n03730788 Matthew Walker, Matthew Walker knot +n03730893 matting +n03731019 mattock +n03731483 mattress cover +n03731695 maul, sledge, sledgehammer +n03731882 maulstick, mahlstick +n03732020 Mauser +n03732114 mausoleum +n03732458 maxi +n03732543 Maxim gun +n03732658 maximum and minimum thermometer +n03733131 maypole +n03733281 maze, labyrinth +n03733465 mazer +n03733547 means +n03733644 measure +n03733805 measuring cup +n03733925 measuring instrument, measuring system, measuring device +n03735637 measuring stick, measure, measuring rod +n03735963 meat counter +n03736064 meat grinder +n03736147 meat hook +n03736269 meat house +n03736372 meat safe +n03736470 meat thermometer +n03736970 mechanical device +n03738066 mechanical piano, Pianola, player piano +n03738241 mechanical system +n03738472 mechanism +n03739518 medical building, health facility, healthcare facility +n03739693 medical instrument +n03742019 medicine ball +n03742115 medicine chest, medicine cabinet +n03742238 MEDLINE +n03743016 megalith, megalithic structure +n03743279 megaphone +n03743902 memorial, monument +n03744276 memory, computer memory, storage, computer storage, store, memory board +n03744684 memory chip +n03744840 memory device, storage device +n03745146 menagerie, zoo, zoological garden +n03745487 mending +n03745571 menhir, standing stone +n03746005 menorah +n03746155 Menorah +n03746330 man's clothing +n03746486 men's room, men's +n03748162 mercantile establishment, retail store, sales outlet, outlet +n03749504 mercury barometer +n03749634 mercury cell +n03749807 mercury thermometer, mercury-in-glass thermometer +n03750206 mercury-vapor lamp +n03750437 mercy seat +n03750614 merlon +n03751065 mess, mess hall +n03751269 mess jacket, monkey jacket, shell jacket +n03751458 mess kit +n03751590 messuage +n03751757 metal detector +n03752071 metallic +n03752185 metal screw +n03752398 metal wood +n03752922 meteorological balloon +n03753077 meter +n03753514 meterstick, metrestick +n03757604 metronome +n03758089 mezzanine, mezzanine floor, entresol +n03758220 mezzanine, first balcony +n03758894 microbalance +n03758992 microbrewery +n03759243 microfiche +n03759432 microfilm +n03759661 micrometer, micrometer gauge, micrometer caliper +n03759954 microphone, mike +n03760310 microprocessor +n03760671 microscope +n03760944 microtome +n03761084 microwave, microwave oven +n03761588 microwave diathermy machine +n03761731 microwave linear accelerator +n03762238 middy, middy blouse +n03762332 midiron, two iron +n03762434 mihrab +n03762602 mihrab +n03762982 military hospital +n03763727 military quarters +n03763968 military uniform +n03764276 military vehicle +n03764606 milk bar +n03764736 milk can +n03764822 milk float +n03764995 milking machine +n03765128 milking stool +n03765467 milk wagon, milkwagon +n03765561 mill, grinder, milling machinery +n03765934 milldam +n03766044 miller, milling machine +n03766218 milliammeter +n03766322 millinery, woman's hat +n03766508 millinery, hat shop +n03766600 milling +n03766697 millivoltmeter +n03766935 millstone +n03767112 millstone +n03767203 millwheel, mill wheel +n03767459 mimeograph, mimeo, mimeograph machine, Roneo, Roneograph +n03767745 minaret +n03767966 mincer, mincing machine +n03768132 mine +n03768683 mine detector +n03768823 minelayer +n03768916 mineshaft +n03769610 minibar, cellaret +n03769722 minibike, motorbike +n03769881 minibus +n03770085 minicar +n03770224 minicomputer +n03770316 ministry +n03770439 miniskirt, mini +n03770520 minisub, minisubmarine +n03770679 minivan +n03770834 miniver +n03770954 mink, mink coat +n03772077 minster +n03772269 mint +n03772584 minute hand, big hand +n03772674 Minuteman +n03773035 mirror +n03773504 missile +n03773835 missile defense system, missile defence system +n03774327 miter box, mitre box +n03774461 miter joint, mitre joint, miter, mitre +n03775071 mitten +n03775199 mixer +n03775388 mixer +n03775546 mixing bowl +n03775636 mixing faucet +n03775747 mizzen, mizen +n03775847 mizzenmast, mizenmast, mizzen, mizen +n03776167 mobcap +n03776460 mobile home, manufactured home +n03776877 moccasin, mocassin +n03776997 mock-up +n03777126 mod con +n03777568 Model T +n03777754 modem +n03778459 modillion +n03778817 module +n03779000 module +n03779128 mohair +n03779246 moire, watered-silk +n03779370 mold, mould, cast +n03779884 moldboard, mouldboard +n03780047 moldboard plow, mouldboard plough +n03780799 moleskin +n03781055 Molotov cocktail, petrol bomb, gasoline bomb +n03781244 monastery +n03781467 monastic habit +n03781594 moneybag +n03781683 money belt +n03781787 monitor +n03782006 monitor +n03782190 monitor, monitoring device +n03782794 monkey-wrench, monkey wrench +n03782929 monk's cloth +n03783304 monochrome +n03783430 monocle, eyeglass +n03783575 monofocal lens implant, monofocal IOL +n03783873 monoplane +n03784139 monotype +n03784270 monstrance, ostensorium +n03784793 mooring tower, mooring mast +n03784896 Moorish arch, horseshoe arch +n03785016 moped +n03785142 mop handle +n03785237 moquette +n03785499 morgue, mortuary, dead room +n03785721 morion, cabasset +n03786096 morning dress +n03786194 morning dress +n03786313 morning room +n03786621 Morris chair +n03786715 mortar, howitzer, trench mortar +n03786901 mortar +n03787032 mortarboard +n03787523 mortise joint, mortise-and-tenon joint +n03788047 mosaic +n03788195 mosque +n03788365 mosquito net +n03788498 motel +n03788601 motel room +n03788914 Mother Hubbard, muumuu +n03789171 motion-picture camera, movie camera, cine-camera +n03789400 motion-picture film, movie film, cine-film +n03789603 motley +n03789794 motley +n03789946 motor +n03790230 motorboat, powerboat +n03790512 motorcycle, bike +n03790755 motor hotel, motor inn, motor lodge, tourist court, court +n03790953 motorized wheelchair +n03791053 motor scooter, scooter +n03791235 motor vehicle, automotive vehicle +n03792048 mound, hill +n03792334 mound, hill, pitcher's mound +n03792526 mount, setting +n03792782 mountain bike, all-terrain bike, off-roader +n03792972 mountain tent +n03793489 mouse, computer mouse +n03793850 mouse button +n03794056 mousetrap +n03794136 mousse, hair mousse, hair gel +n03794798 mouthpiece, embouchure +n03795123 mouthpiece +n03795269 mouthpiece, gumshield +n03795758 movement +n03795976 movie projector, cine projector, film projector +n03796181 moving-coil galvanometer +n03796401 moving van +n03796522 mud brick +n03796605 mudguard, splash guard, splash-guard +n03796848 mudhif +n03796974 muff +n03797062 muffle +n03797182 muffler +n03797264 mufti +n03797390 mug +n03797896 mulch +n03798061 mule, scuff +n03798442 multichannel recorder +n03798610 multiengine airplane, multiengine plane +n03798982 multiplex +n03799113 multiplexer +n03799240 multiprocessor +n03799375 multistage rocket, step rocket +n03799610 munition, ordnance, ordnance store +n03799876 Murphy bed +n03800371 musette, shepherd's pipe +n03800485 musette pipe +n03800563 museum +n03800772 mushroom anchor +n03800933 musical instrument, instrument +n03801353 music box, musical box +n03801533 music hall, vaudeville theater, vaudeville theatre +n03801671 music school +n03801760 music stand, music rack +n03801880 music stool, piano stool +n03802007 musket +n03802228 musket ball, ball +n03802393 muslin +n03802643 mustache cup, moustache cup +n03802800 mustard plaster, sinapism +n03802973 mute +n03803116 muzzle loader +n03803284 muzzle +n03803780 myelogram +n03804211 nacelle +n03804744 nail +n03805180 nailbrush +n03805280 nailfile +n03805374 nailhead +n03805503 nailhead +n03805725 nail polish, nail enamel, nail varnish +n03805933 nainsook +n03807334 Napier's bones, Napier's rods +n03809211 nard, spikenard +n03809312 narrowbody aircraft, narrow-body aircraft, narrow-body +n03809603 narrow wale +n03809686 narthex +n03809802 narthex +n03810412 nasotracheal tube +n03810952 national monument +n03811295 nautilus, nuclear submarine, nuclear-powered submarine +n03811444 navigational system +n03811847 naval equipment +n03811965 naval gun +n03812263 naval missile +n03812382 naval radar +n03812789 naval tactical data system +n03812924 naval weaponry +n03813078 nave +n03813176 navigational instrument +n03813946 nebuchadnezzar +n03814528 neckband +n03814639 neck brace +n03814727 neckcloth, stock +n03814817 neckerchief +n03814906 necklace +n03815149 necklet +n03815278 neckline +n03815482 neckpiece +n03815615 necktie, tie +n03816005 neckwear +n03816136 needle +n03816394 needle +n03816530 needlenose pliers +n03816849 needlework, needlecraft +n03817191 negative +n03817331 negative magnetic pole, negative pole, south-seeking pole +n03817522 negative pole +n03817647 negligee, neglige, peignoir, wrapper, housecoat +n03818001 neolith +n03818343 neon lamp, neon induction lamp, neon tube +n03819047 nephoscope +n03819336 nest +n03819448 nest egg +n03819595 net, network, mesh, meshing, meshwork +n03819994 net +n03820154 net +n03820318 net +n03820728 network, electronic network +n03820950 network +n03821145 neutron bomb +n03821424 newel +n03821518 newel post, newel +n03822171 newspaper, paper +n03822361 newsroom +n03822504 newsroom +n03822656 newsstand +n03822767 Newtonian telescope, Newtonian reflector +n03823111 nib, pen nib +n03823216 niblick, nine iron +n03823312 nicad, nickel-cadmium accumulator +n03823673 nickel-iron battery, nickel-iron accumulator +n03823906 Nicol prism +n03824197 night bell +n03824284 nightcap +n03824381 nightgown, gown, nightie, night-robe, nightdress +n03824589 night latch +n03824713 night-light +n03824999 nightshirt +n03825080 nightwear, sleepwear, nightclothes +n03825271 ninepin, skittle, skittle pin +n03825442 ninepin ball, skittle ball +n03825673 ninon +n03825788 nipple +n03825913 nipple shield +n03826039 niqab +n03826186 Nissen hut, Quonset hut +n03827420 nogging +n03827536 noisemaker +n03828020 nonsmoker, nonsmoking car +n03829340 non-volatile storage, nonvolatile storage +n03829857 Norfolk jacket +n03829954 noria +n03831203 nosebag, feedbag +n03831382 noseband, nosepiece +n03831757 nose flute +n03832144 nosewheel +n03832673 notebook, notebook computer +n03833907 nuclear-powered ship +n03834040 nuclear reactor, reactor +n03834472 nuclear rocket +n03834604 nuclear weapon, atomic weapon +n03835197 nude, nude painting +n03835729 numdah, numdah rug, nammad +n03835941 nun's habit +n03836062 nursery, baby's room +n03836451 nut and bolt +n03836602 nutcracker +n03836906 nylon +n03836976 nylons, nylon stocking, rayons, rayon stocking, silk stocking +n03837422 oar +n03837606 oast +n03837698 oast house +n03837869 obelisk +n03838024 object ball +n03838298 objective, objective lens, object lens, object glass +n03838748 oblique bandage +n03838899 oboe, hautboy, hautbois +n03839172 oboe da caccia +n03839276 oboe d'amore +n03839424 observation dome +n03839671 observatory +n03839795 obstacle +n03840327 obturator +n03840681 ocarina, sweet potato +n03840823 octant +n03841011 odd-leg caliper +n03841143 odometer, hodometer, mileometer, milometer +n03841290 oeil de boeuf +n03841666 office, business office +n03842012 office building, office block +n03842156 office furniture +n03842276 officer's mess +n03842377 off-line equipment, auxiliary equipment +n03842585 ogee, cyma reversa +n03842754 ogee arch, keel arch +n03842986 ohmmeter +n03843092 oil, oil color, oil colour +n03843316 oilcan +n03843438 oilcloth +n03843555 oil filter +n03843883 oil heater, oilstove, kerosene heater, kerosine heater +n03844045 oil lamp, kerosene lamp, kerosine lamp +n03844233 oil paint +n03844550 oil pump +n03844673 oil refinery, petroleum refinery +n03844815 oilskin, slicker +n03844965 oil slick +n03845107 oilstone +n03845190 oil tanker, oiler, tanker, tank ship +n03845990 old school tie +n03846100 olive drab +n03846234 olive drab, olive-drab uniform +n03846431 Olympian Zeus +n03846677 omelet pan, omelette pan +n03846772 omnidirectional antenna, nondirectional antenna +n03846970 omnirange, omnidirectional range, omnidirectional radio range +n03847471 onion dome +n03847823 open-air market, open-air marketplace, market square +n03848033 open circuit +n03848168 open-end wrench, tappet wrench +n03848348 opener +n03848537 open-hearth furnace +n03849275 openside plane, rabbet plane +n03849412 open sight +n03849679 openwork +n03849814 opera, opera house +n03849943 opera cloak, opera hood +n03850053 operating microscope +n03850245 operating room, OR, operating theater, operating theatre, surgery +n03850492 operating table +n03850613 ophthalmoscope +n03851341 optical device +n03851787 optical disk, optical disc +n03852280 optical instrument +n03852544 optical pyrometer, pyroscope +n03852688 optical telescope +n03853291 orchestra pit, pit +n03853924 ordinary, ordinary bicycle +n03854065 organ, pipe organ +n03854421 organdy, organdie +n03854506 organic light-emitting diode, OLED +n03854722 organ loft +n03854815 organ pipe, pipe, pipework +n03855214 organza +n03855333 oriel, oriel window +n03855464 oriflamme +n03855604 O ring +n03855756 Orlon +n03855908 orlop deck, orlop, fourth deck +n03856012 orphanage, orphans' asylum +n03856335 orphrey +n03856465 orrery +n03856728 orthicon, image orthicon +n03857026 orthochromatic film +n03857156 orthopter, ornithopter +n03857291 orthoscope +n03857687 oscillograph +n03857828 oscilloscope, scope, cathode-ray oscilloscope, CRO +n03858085 ossuary +n03858183 otoscope, auriscope, auroscope +n03858418 ottoman, pouf, pouffe, puff, hassock +n03858533 oubliette +n03858837 out-basket, out-tray +n03859000 outboard motor, outboard +n03859170 outboard motorboat, outboard +n03859280 outbuilding +n03859495 outerwear, overclothes +n03859608 outfall +n03859958 outfit, getup, rig, turnout +n03860234 outfitter +n03860404 outhouse, privy, earth-closet, jakes +n03861048 output device +n03861271 outrigger +n03861430 outrigger canoe +n03861596 outside caliper +n03861842 outside mirror +n03862379 outwork +n03862676 oven +n03862862 oven thermometer +n03863108 overall +n03863262 overall, boilersuit, boilers suit +n03863657 overcoat, overcoating +n03863783 overdrive +n03863923 overgarment, outer garment +n03864139 overhand knot +n03864356 overhang +n03864692 overhead projector +n03865288 overmantel +n03865371 overnighter, overnight bag, overnight case +n03865557 overpass, flyover +n03865820 override +n03865949 overshoe +n03866082 overskirt +n03867854 oxbow +n03868044 Oxbridge +n03868242 oxcart +n03868324 oxeye +n03868406 oxford +n03868643 oximeter +n03868763 oxyacetylene torch +n03868863 oxygen mask +n03869838 oyster bar +n03869976 oyster bed, oyster bank, oyster park +n03870105 pace car +n03870290 pacemaker, artificial pacemaker +n03870546 pack +n03870672 pack +n03870980 pack, face pack +n03871083 package, parcel +n03871371 package store, liquor store, off-licence +n03871524 packaging +n03871628 packet +n03871724 packing box, packing case +n03871860 packinghouse, packing plant +n03872016 packinghouse +n03872167 packing needle +n03872273 packsaddle +n03873416 paddle, boat paddle +n03873699 paddle +n03873848 paddle +n03873996 paddle box, paddle-box +n03874138 paddle steamer, paddle-wheeler +n03874293 paddlewheel, paddle wheel +n03874487 paddock +n03874599 padlock +n03874823 page printer, page-at-a-time printer +n03875218 paint, pigment +n03875806 paintball +n03875955 paintball gun +n03876111 paintbox +n03876231 paintbrush +n03877351 paisley +n03877472 pajama, pyjama, pj's, jammies +n03877674 pajama, pyjama +n03877845 palace +n03878066 palace, castle +n03878211 palace +n03878294 palanquin, palankeen +n03878418 paleolith +n03878511 palestra, palaestra +n03878674 palette, pallet +n03878828 palette knife +n03878963 palisade +n03879456 pallet +n03879705 pallette, palette +n03880032 pallium +n03880129 pallium +n03880323 pan +n03880531 pan, cooking pan +n03881305 pancake turner +n03881404 panchromatic film +n03881534 panda car +n03882611 paneling, panelling, pane +n03882960 panhandle +n03883054 panic button +n03883385 pannier +n03883524 pannier +n03883664 pannikin +n03883773 panopticon +n03883944 panopticon +n03884397 panpipe, pandean pipe, syrinx +n03884554 pantaloon +n03884639 pantechnicon +n03884778 pantheon +n03884926 pantheon +n03885028 pantie, panty, scanty, step-in +n03885194 panting, trousering +n03885293 pant leg, trouser leg +n03885410 pantograph +n03885535 pantry, larder, buttery +n03885669 pants suit, pantsuit +n03885788 panty girdle +n03885904 pantyhose +n03886053 panzer +n03886641 paper chain +n03886762 paper clip, paperclip, gem clip +n03886940 paper cutter +n03887185 paper fastener +n03887330 paper feed +n03887512 paper mill +n03887697 paper towel +n03887899 parabolic mirror +n03888022 parabolic reflector, paraboloid reflector +n03888257 parachute, chute +n03888605 parallel bars, bars +n03888808 parallel circuit, shunt circuit +n03888998 parallel interface, parallel port +n03889397 parang +n03889503 parapet, breastwork +n03889626 parapet +n03889726 parasail +n03889871 parasol, sunshade +n03890093 parer, paring knife +n03890233 parfait glass +n03890358 pargeting, pargetting, pargetry +n03890514 pari-mutuel machine, totalizer, totaliser, totalizator, totalisator +n03891051 parka, windbreaker, windcheater, anorak +n03891251 park bench +n03891332 parking meter +n03891538 parlor, parlour +n03892178 parquet, parquet floor +n03892425 parquetry, parqueterie +n03892557 parsonage, vicarage, rectory +n03892728 Parsons table +n03893935 partial denture +n03894051 particle detector +n03894379 partition, divider +n03894677 parts bin +n03894933 party line +n03895038 party wall +n03895170 parvis +n03895866 passenger car, coach, carriage +n03896103 passenger ship +n03896233 passenger train +n03896419 passenger van +n03896526 passe-partout +n03896628 passive matrix display +n03896984 passkey, passe-partout, master key, master +n03897130 pass-through +n03897634 pastry cart +n03897943 patch +n03898129 patchcord +n03898271 patchouli, patchouly, pachouli +n03898395 patch pocket +n03898633 patchwork, patchwork quilt +n03898787 patent log, screw log, taffrail log +n03899100 paternoster +n03899612 patina +n03899768 patio, terrace +n03899933 patisserie +n03900028 patka +n03900194 patrol boat, patrol ship +n03900301 patty-pan +n03900393 pave +n03900979 pavilion, marquee +n03901229 pavior, paviour, paving machine +n03901338 pavis, pavise +n03901750 pawn +n03901974 pawnbroker's shop, pawnshop, loan office +n03902125 pay-phone, pay-station +n03902220 PC board +n03902482 peach orchard +n03902756 pea jacket, peacoat +n03903133 peavey, peavy, cant dog, dog hook +n03903290 pectoral, pectoral medallion +n03903424 pedal, treadle, foot pedal, foot lever +n03903733 pedal pusher, toreador pants +n03903868 pedestal, plinth, footstall +n03904060 pedestal table +n03904183 pedestrian crossing, zebra crossing +n03904433 pedicab, cycle rickshaw +n03904657 pediment +n03904782 pedometer +n03904909 peeler +n03905361 peep sight +n03905540 peg, nog +n03905730 peg, pin, thole, tholepin, rowlock, oarlock +n03905947 peg +n03906106 peg, wooden leg, leg, pegleg +n03906224 pegboard +n03906463 Pelham +n03906590 pelican crossing +n03906789 pelisse +n03906894 pelvimeter +n03906997 pen +n03907475 penal colony +n03907654 penal institution, penal facility +n03907908 penalty box +n03908111 pen-and-ink +n03908204 pencil +n03908456 pencil +n03908618 pencil box, pencil case +n03908714 pencil sharpener +n03909020 pendant earring, drop earring, eardrop +n03909160 pendulum +n03909406 pendulum clock +n03909516 pendulum watch +n03909658 penetration bomb +n03911406 penile implant +n03911513 penitentiary, pen +n03911658 penknife +n03911767 penlight +n03911866 pennant, pennon, streamer, waft +n03912218 pennywhistle, tin whistle, whistle +n03912821 penthouse +n03913343 pentode +n03913930 peplos, peplus, peplum +n03914106 peplum +n03914337 pepper mill, pepper grinder +n03914438 pepper shaker, pepper box, pepper pot +n03914583 pepper spray +n03914831 percale +n03915118 percolator +n03915320 percussion cap +n03915437 percussion instrument, percussive instrument +n03915900 perforation +n03916031 perfume, essence +n03916289 perfumery +n03916385 perfumery +n03916470 perfumery +n03916720 peripheral, computer peripheral, peripheral device +n03917048 periscope +n03917198 peristyle +n03917327 periwig, peruke +n03917814 permanent press, durable press +n03918074 perpetual motion machine +n03918480 personal computer, PC, microcomputer +n03918737 personal digital assistant, PDA, personal organizer, personal organiser, organizer, organiser +n03919096 personnel carrier +n03919289 pestle +n03919430 pestle, muller, pounder +n03919808 petcock +n03920288 Petri dish +n03920384 petrolatum gauze +n03920641 pet shop +n03920737 petticoat, half-slip, underskirt +n03920867 pew, church bench +n03923379 phial, vial, ampule, ampul, ampoule +n03923564 Phillips screw +n03923692 Phillips screwdriver +n03923918 phonograph needle, needle +n03924069 phonograph record, phonograph recording, record, disk, disc, platter +n03924407 photocathode +n03924532 photocoagulator +n03924679 photocopier +n03926148 photographic equipment +n03926412 photographic paper, photographic material +n03926876 photometer +n03927091 photomicrograph +n03927299 Photostat, Photostat machine +n03927539 photostat +n03927792 physical pendulum, compound pendulum +n03928116 piano, pianoforte, forte-piano +n03928589 piano action +n03928814 piano keyboard, fingerboard, clavier +n03928994 piano wire +n03929091 piccolo +n03929202 pick, pickax, pickaxe +n03929443 pick +n03929660 pick, plectrum, plectron +n03929855 pickelhaube +n03930229 picket boat +n03930313 picket fence, paling +n03930431 picket ship +n03930515 pickle barrel +n03930630 pickup, pickup truck +n03931044 picture, image, icon, ikon +n03931765 picture frame +n03931885 picture hat +n03931980 picture rail +n03932080 picture window +n03932670 piece of cloth, piece of material +n03933391 pied-a-terre +n03933933 pier +n03934042 pier +n03934229 pier arch +n03934311 pier glass, pier mirror +n03934565 pier table +n03934656 pieta +n03934890 piezometer +n03935116 pig bed, pig +n03935234 piggery, pig farm +n03935335 piggy bank, penny bank +n03935883 pilaster +n03936269 pile, spile, piling, stilt +n03936466 pile driver +n03937543 pill bottle +n03937835 pillbox, toque, turban +n03937931 pillion +n03938037 pillory +n03938244 pillow +n03938401 pillow block +n03938522 pillow lace, bobbin lace +n03938725 pillow sham +n03939062 pilot bit +n03939178 pilot boat +n03939281 pilot burner, pilot light, pilot +n03939440 pilot cloth +n03939565 pilot engine +n03939677 pilothouse, wheelhouse +n03939844 pilot light, pilot lamp, indicator lamp +n03940256 pin +n03940894 pin, flag +n03941013 pin, pin tumbler +n03941231 pinata +n03941417 pinball machine, pin table +n03941586 pince-nez +n03941684 pincer, pair of pincers, tweezer, pair of tweezers +n03941887 pinch bar +n03942028 pincurl clip +n03942600 pinfold +n03942813 ping-pong ball +n03942920 pinhead +n03943115 pinion +n03943266 pinnacle +n03943623 pinprick +n03943714 pinstripe +n03943833 pinstripe +n03943920 pinstripe +n03944024 pintle +n03944138 pinwheel, pinwheel wind collector +n03944341 pinwheel +n03945459 tabor pipe +n03945615 pipe +n03945817 pipe bomb +n03945928 pipe cleaner +n03946076 pipe cutter +n03946162 pipefitting, pipe fitting +n03947111 pipet, pipette +n03947343 pipe vise, pipe clamp +n03947466 pipe wrench, tube wrench +n03947798 pique +n03947888 pirate, pirate ship +n03948242 piste +n03948459 pistol, handgun, side arm, shooting iron +n03948830 pistol grip +n03948950 piston, plunger +n03949145 piston ring +n03949317 piston rod +n03949761 pit +n03950228 pitcher, ewer +n03950359 pitchfork +n03950537 pitching wedge +n03950647 pitch pipe +n03950899 pith hat, pith helmet, sun helmet, topee, topi +n03951068 piton +n03951213 Pitot-static tube, Pitot head, Pitot tube +n03951453 Pitot tube, Pitot +n03951800 pitsaw +n03951971 pivot, pin +n03952150 pivoting window +n03952576 pizzeria, pizza shop, pizza parlor +n03953020 place of business, business establishment +n03953416 place of worship, house of prayer, house of God, house of worship +n03953901 placket +n03954393 planchet, coin blank +n03954731 plane, carpenter's plane, woodworking plane +n03955296 plane, planer, planing machine +n03955489 plane seat +n03955809 planetarium +n03955941 planetarium +n03956157 planetarium +n03956331 planetary gear, epicyclic gear, planet wheel, planet gear +n03956531 plank-bed +n03956623 planking +n03956785 planner +n03956922 plant, works, industrial plant +n03957315 planter +n03957420 plaster, adhesive plaster, sticking plaster +n03957762 plasterboard, gypsum board +n03957991 plastering trowel +n03958227 plastic bag +n03958338 plastic bomb +n03958630 plastic laminate +n03958752 plastic wrap +n03959014 plastron +n03959123 plastron +n03959227 plastron +n03959701 plate, scale, shell +n03960374 plate, collection plate +n03960490 plate +n03961394 platen +n03961630 platen +n03961711 plate rack +n03961828 plate rail +n03961939 platform +n03962525 platform, weapons platform +n03962685 platform +n03962852 platform bed +n03962932 platform rocker +n03963028 plating, metal plating +n03963198 platter +n03963294 playback +n03963483 playbox, play-box +n03963645 playground +n03964495 playpen, pen +n03964611 playsuit +n03965456 plaza, mall, center, shopping mall, shopping center, shopping centre +n03965907 pleat, plait +n03966206 plenum +n03966325 plethysmograph +n03966582 pleximeter, plessimeter +n03966751 plexor, plessor, percussor +n03966976 pliers, pair of pliers, plyers +n03967270 plimsoll +n03967396 plotter +n03967562 plow, plough +n03967942 plug, stopper, stopple +n03968293 plug, male plug +n03968479 plug fuse +n03968581 plughole +n03968728 plumb bob, plumb, plummet +n03969510 plumb level +n03970156 plunger, plumber's helper +n03970363 plus fours +n03970546 plush +n03971218 plywood, plyboard +n03971321 pneumatic drill +n03971960 p-n junction +n03972146 p-n-p transistor +n03972372 poacher +n03972524 pocket +n03973003 pocket battleship +n03973285 pocketcomb, pocket comb +n03973402 pocket flap +n03973520 pocket-handkerchief +n03973628 pocketknife, pocket knife +n03973839 pocket watch +n03973945 pod, fuel pod +n03974070 pogo stick +n03974915 point-and-shoot camera +n03975035 pointed arch +n03975657 pointing trowel +n03975788 point lace, needlepoint +n03975926 poker, stove poker, fire hook, salamander +n03976105 polarimeter, polariscope +n03976268 Polaroid +n03976467 Polaroid camera, Polaroid Land camera +n03976657 pole +n03977158 pole +n03977266 poleax, poleaxe +n03977430 poleax, poleaxe +n03977592 police boat +n03977966 police van, police wagon, paddy wagon, patrol wagon, wagon, black Maria +n03978421 polling booth +n03978575 polo ball +n03978686 polo mallet, polo stick +n03978815 polonaise +n03978966 polo shirt, sport shirt +n03979377 polyester +n03979492 polygraph +n03980026 pomade, pomatum +n03980478 pommel horse, side horse +n03980874 poncho +n03980986 pongee +n03981094 poniard, bodkin +n03981340 pontifical +n03981566 pontoon +n03981760 pontoon bridge, bateau bridge, floating bridge +n03981924 pony cart, ponycart, donkey cart, tub-cart +n03982232 pool ball +n03982331 poolroom +n03982430 pool table, billiard table, snooker table +n03982642 poop deck +n03982767 poor box, alms box, mite box +n03982895 poorhouse +n03983396 pop bottle, soda bottle +n03983499 popgun +n03983612 poplin +n03983712 popper +n03983928 poppet, poppet valve +n03984125 pop tent +n03984234 porcelain +n03984381 porch +n03984643 porkpie, porkpie hat +n03984759 porringer +n03985069 portable +n03985232 portable computer +n03985441 portable circular saw, portable saw +n03985881 portcullis +n03986071 porte-cochere +n03986224 porte-cochere +n03986355 portfolio +n03986562 porthole +n03986704 portico +n03986857 portiere +n03986949 portmanteau, Gladstone, Gladstone bag +n03987266 portrait camera +n03987376 portrait lens +n03987674 positive pole, positive magnetic pole, north-seeking pole +n03987865 positive pole +n03987990 positron emission tomography scanner, PET scanner +n03988170 post +n03988758 postage meter +n03988926 post and lintel +n03989199 post chaise +n03989349 postern +n03989447 post exchange, PX +n03989665 posthole digger, post-hole digger +n03989777 post horn +n03989898 posthouse, post house +n03990474 pot +n03991062 pot, flowerpot +n03991202 potbelly, potbelly stove +n03991321 Potemkin village +n03991443 potential divider, voltage divider +n03991646 potentiometer, pot +n03991837 potentiometer +n03992325 potpourri +n03992436 potsherd +n03992509 potter's wheel +n03992703 pottery, clayware +n03992975 pottle +n03993053 potty seat, potty chair +n03993180 pouch +n03993403 poultice, cataplasm, plaster +n03993703 pound, dog pound +n03993878 pound net +n03994008 powder +n03994297 powder and shot +n03994417 powdered mustard, dry mustard +n03994614 powder horn, powder flask +n03994757 powder keg +n03995018 power brake +n03995265 power cord +n03995372 power drill +n03995535 power line, power cable +n03995661 power loom +n03995856 power mower, motor mower +n03996004 power pack +n03996145 power saw, saw, sawing machine +n03996416 power shovel, excavator, digger, shovel +n03996849 power steering, power-assisted steering +n03997274 power takeoff, PTO +n03997484 power tool +n03997875 praetorium, pretorium +n03998194 prayer rug, prayer mat +n03998333 prayer shawl, tallith, tallis +n03998673 precipitator, electrostatic precipitator, Cottrell precipitator +n03999064 prefab +n03999160 presbytery +n03999621 presence chamber +n03999992 press, mechanical press +n04000311 press, printing press +n04000480 press +n04000592 press box +n04000716 press gallery +n04000998 press of sail, press of canvas +n04001132 pressure cabin +n04001265 pressure cooker +n04001397 pressure dome +n04001499 pressure gauge, pressure gage +n04001661 pressurized water reactor, PWR +n04001845 pressure suit +n04002262 pricket +n04002371 prie-dieu +n04002629 primary coil, primary winding, primary +n04003241 Primus stove, Primus +n04003359 Prince Albert +n04003856 print +n04004099 print buffer +n04004210 printed circuit +n04004475 printer, printing machine +n04004767 printer +n04004990 printer cable +n04005197 priory +n04005630 prison, prison house +n04005912 prison camp, internment camp, prisoner of war camp, POW camp +n04006067 privateer +n04006227 private line +n04006330 privet hedge +n04006411 probe +n04007415 proctoscope +n04007664 prod, goad +n04008385 production line, assembly line, line +n04008634 projectile, missile +n04009552 projector +n04009801 projector +n04009923 prolonge +n04010057 prolonge knot, sailor's breastplate +n04010779 prompter, autocue +n04010927 prong +n04011827 propeller, propellor +n04012084 propeller plane +n04012482 propjet, turboprop, turbo-propeller plane +n04012665 proportional counter tube, proportional counter +n04013060 propulsion system +n04013176 proscenium, proscenium wall +n04013600 proscenium arch +n04013729 prosthesis, prosthetic device +n04014297 protective covering, protective cover, protection +n04015204 protective garment +n04015786 proton accelerator +n04015908 protractor +n04016240 pruner, pruning hook, lopper +n04016479 pruning knife +n04016576 pruning saw +n04016684 pruning shears +n04016846 psaltery +n04017571 psychrometer +n04017807 PT boat, mosquito boat, mosquito craft, motor torpedo boat +n04018155 public address system, P.A. system, PA system, P.A., PA +n04018399 public house, pub, saloon, pothouse, gin mill, taphouse +n04018667 public toilet, comfort station, public convenience, convenience, public lavatory, restroom, toilet facility, wash room +n04019101 public transport +n04019335 public works +n04019541 puck, hockey puck +n04019696 pull +n04019881 pullback, tieback +n04020087 pull chain +n04020298 pulley, pulley-block, pulley block, block +n04020744 pull-off, rest area, rest stop, layby, lay-by +n04020912 Pullman, Pullman car +n04021028 pullover, slipover +n04021164 pull-through +n04021362 pulse counter +n04021503 pulse generator +n04021704 pulse timing circuit +n04021798 pump +n04022332 pump +n04022434 pump action, slide action +n04022708 pump house, pumping station +n04022866 pump room +n04023021 pump-type pliers +n04023119 pump well +n04023249 punch, puncher +n04023422 punchboard +n04023695 punch bowl +n04023962 punching bag, punch bag, punching ball, punchball +n04024137 punch pliers +n04024274 punch press +n04024862 punnet +n04024983 punt +n04025508 pup tent, shelter tent +n04025633 purdah +n04026053 purifier +n04026180 purl, purl stitch +n04026417 purse +n04026813 push-bike +n04026918 push broom +n04027023 push button, push, button +n04027367 push-button radio +n04027706 pusher, zori +n04027820 put-put +n04027935 puttee +n04028074 putter, putting iron +n04028221 putty knife +n04028315 puzzle +n04028581 pylon, power pylon +n04028764 pylon +n04029416 pyramidal tent +n04029647 pyrograph +n04029734 pyrometer +n04029913 pyrometric cone +n04030054 pyrostat +n04030161 pyx, pix +n04030274 pyx, pix, pyx chest, pix chest +n04030414 pyxis +n04030518 quad, quadrangle +n04030846 quadrant +n04030965 quadraphony, quadraphonic system, quadriphonic system +n04031884 quartering +n04032509 quarterstaff +n04032603 quartz battery, quartz mill +n04032936 quartz lamp +n04033287 queen +n04033425 queen +n04033557 queen post +n04033801 quern +n04033901 quill, quill pen +n04033995 quilt, comforter, comfort, puff +n04034262 quilted bedspread +n04034367 quilting +n04035231 quipu +n04035634 quirk molding, quirk moulding +n04035748 quirt +n04035836 quiver +n04035912 quoin, coign, coigne +n04036155 quoit +n04036303 QWERTY keyboard +n04036776 rabbet, rebate +n04036963 rabbet joint +n04037076 rabbit ears +n04037220 rabbit hutch +n04037298 raceabout +n04037443 racer, race car, racing car +n04037873 raceway, race +n04037964 racing boat +n04038231 racing gig +n04038338 racing skiff, single shell +n04038440 rack, stand +n04038727 rack +n04039041 rack, wheel +n04039209 rack and pinion +n04039381 racket, racquet +n04039742 racquetball +n04039848 radar, microwave radar, radio detection and ranging, radiolocation +n04040247 radial, radial tire, radial-ply tire +n04040373 radial engine, rotary engine +n04040540 radiation pyrometer +n04040759 radiator +n04041069 radiator +n04041243 radiator cap +n04041408 radiator hose +n04041544 radio, wireless +n04041747 radio antenna, radio aerial +n04042076 radio chassis +n04042204 radio compass +n04042358 radiogram, radiograph, shadowgraph, skiagraph, skiagram +n04042632 radio interferometer +n04042795 radio link, link +n04042985 radiometer +n04043168 radiomicrometer +n04043411 radio-phonograph, radio-gramophone +n04043733 radio receiver, receiving set, radio set, radio, tuner, wireless +n04044307 radiotelegraph, radiotelegraphy, wireless telegraph, wireless telegraphy +n04044498 radiotelephone, radiophone, wireless telephone +n04044716 radio telescope, radio reflector +n04044955 radiotherapy equipment +n04045085 radio transmitter +n04045255 radome, radar dome +n04045397 raft +n04045644 rafter, balk, baulk +n04045787 raft foundation +n04045941 rag, shred, tag, tag end, tatter +n04046091 ragbag +n04046277 raglan +n04046400 raglan sleeve +n04046590 rail +n04046974 rail fence +n04047139 railhead +n04047401 railing, rail +n04047733 railing +n04047834 railroad bed +n04048441 railroad tunnel +n04049303 rain barrel +n04049405 raincoat, waterproof +n04049585 rain gauge, rain gage, pluviometer, udometer +n04049753 rain stick +n04050066 rake +n04050313 rake handle +n04050600 RAM disk +n04050933 ramekin, ramequin +n04051269 ramjet, ramjet engine, atherodyde, athodyd, flying drainpipe +n04051439 rammer +n04051549 ramp, incline +n04051705 rampant arch +n04051825 rampart, bulwark, wall +n04052235 ramrod +n04052346 ramrod +n04052442 ranch, spread, cattle ranch, cattle farm +n04052658 ranch house +n04052757 random-access memory, random access memory, random memory, RAM, read/write memory +n04053508 rangefinder, range finder +n04053677 range hood +n04053767 range pole, ranging pole, flagpole +n04054361 rapier, tuck +n04054566 rariora +n04054670 rasp, wood file +n04055180 ratchet, rachet, ratch +n04055447 ratchet wheel +n04055700 rathskeller +n04055861 ratline, ratlin +n04056073 rat-tail file +n04056180 rattan, ratan +n04056413 rattrap +n04056932 rayon +n04057047 razor +n04057215 razorblade +n04057435 reaction-propulsion engine, reaction engine +n04057673 reaction turbine +n04057846 reactor +n04057981 reading lamp +n04058096 reading room +n04058239 read-only memory, ROM, read-only storage, fixed storage +n04058486 read-only memory chip +n04058594 readout, read-out +n04058721 read/write head, head +n04059157 ready-to-wear +n04059298 real storage +n04059399 reamer +n04059516 reamer, juicer, juice reamer +n04059947 rearview mirror +n04060198 Reaumur thermometer +n04060448 rebozo +n04060647 receiver, receiving system +n04060904 receptacle +n04061681 reception desk +n04061793 reception room +n04061969 recess, niche +n04062179 reciprocating engine +n04062428 recliner, reclining chair, lounger +n04062644 reconnaissance plane +n04062807 reconnaissance vehicle, scout car +n04063154 record changer, auto-changer, changer +n04063373 recorder, recording equipment, recording machine +n04063868 recording +n04064213 recording system +n04064401 record player, phonograph +n04064747 record sleeve, record cover +n04064862 recovery room +n04065272 recreational vehicle, RV, R.V. +n04065464 recreation room, rec room +n04065789 recycling bin +n04065909 recycling plant +n04066023 redbrick university +n04066270 red carpet +n04066388 redoubt +n04066476 redoubt +n04066767 reduction gear +n04067143 reed pipe +n04067231 reed stop +n04067353 reef knot, flat knot +n04067472 reel +n04067658 reel +n04067818 refectory +n04067921 refectory table +n04068441 refinery +n04068601 reflecting telescope, reflector +n04069166 reflectometer +n04069276 reflector +n04069434 reflex camera +n04069582 reflux condenser +n04069777 reformatory, reform school, training school +n04070003 reformer +n04070207 refracting telescope +n04070415 refractometer +n04070545 refrigeration system +n04070727 refrigerator, icebox +n04070964 refrigerator car +n04071102 refuge, sanctuary, asylum +n04071263 regalia +n04071393 regimentals +n04072193 regulator +n04072551 rein +n04072960 relay, electrical relay +n04073425 release, button +n04073948 religious residence, cloister +n04074185 reliquary +n04074963 remote control, remote +n04075291 remote terminal, link-attached terminal, remote station, link-attached station +n04075468 removable disk +n04075715 rendering +n04075813 rep, repp +n04075916 repair shop, fix-it shop +n04076052 repeater +n04076284 repeating firearm, repeater +n04076713 repository, monument +n04077430 reproducer +n04077594 rerebrace, upper cannon +n04077734 rescue equipment +n04077889 research center, research facility +n04078002 reseau +n04078574 reservoir +n04078955 reset +n04079106 reset button +n04079244 residence +n04079603 resistance pyrometer +n04079933 resistor, resistance +n04080138 resonator +n04080454 resonator, cavity resonator, resonating chamber +n04080705 resort hotel, spa +n04080833 respirator, inhalator +n04081281 restaurant, eating house, eating place, eatery +n04081699 rest house +n04081844 restraint, constraint +n04082344 resuscitator +n04082562 retainer +n04082710 retaining wall +n04082886 reticle, reticule, graticule +n04083113 reticulation +n04083309 reticule +n04083649 retort +n04083800 retractor +n04084517 return key, return +n04084682 reverberatory furnace +n04084889 revers, revere +n04085017 reverse, reverse gear +n04085574 reversible +n04085873 revetment, revetement, stone facing +n04086066 revetment +n04086273 revolver, six-gun, six-shooter +n04086446 revolving door, revolver +n04086663 rheometer +n04086794 rheostat, variable resistor +n04086937 rhinoscope +n04087126 rib +n04087432 riband, ribband +n04087709 ribbed vault +n04087826 ribbing +n04088229 ribbon development +n04088343 rib joint pliers +n04088441 ricer +n04088696 riddle +n04088797 ride +n04089152 ridge, ridgepole, rooftree +n04089376 ridge rope +n04089666 riding boot +n04089836 riding crop, hunting crop +n04089976 riding mower +n04090263 rifle +n04090548 rifle ball +n04090781 rifle grenade +n04091097 rig +n04091466 rigger, rigger brush +n04091584 rigger +n04091693 rigging, tackle +n04092168 rigout +n04093157 ringlet +n04093223 rings +n04093625 rink, skating rink +n04093775 riot gun +n04093915 ripcord +n04094060 ripcord +n04094250 ripping bar +n04094438 ripping chisel +n04094608 ripsaw, splitsaw +n04094720 riser +n04094859 riser, riser pipe, riser pipeline, riser main +n04095109 Ritz +n04095210 river boat +n04095342 rivet +n04095577 riveting machine, riveter, rivetter +n04095938 roach clip, roach holder +n04096066 road, route +n04096733 roadbed +n04096848 roadblock, barricade +n04097085 roadhouse +n04097373 roadster, runabout, two-seater +n04097622 roadway +n04097760 roaster +n04097866 robe +n04098169 robotics equipment +n04098260 Rochon prism, Wollaston prism +n04098399 rock bit, roller bit +n04098513 rocker +n04098795 rocker, cradle +n04099003 rocker arm, valve rocker +n04099175 rocket, rocket engine +n04099429 rocket, projectile +n04099969 rocking chair, rocker +n04100174 rod +n04100519 rodeo +n04101375 roll +n04101497 roller +n04101701 roller +n04101860 roller bandage +n04102037 in-line skate +n04102162 Rollerblade +n04102285 roller blind +n04102406 roller coaster, big dipper, chute-the-chute +n04102618 roller skate +n04102760 roller towel +n04102872 roll film +n04102962 rolling hitch +n04103094 rolling mill +n04103206 rolling pin +n04103364 rolling stock +n04103665 roll-on +n04103769 roll-on +n04103918 roll-on roll-off +n04104147 Rolodex +n04104384 Roman arch, semicircular arch +n04104500 Roman building +n04104770 romper, romper suit +n04104925 rood screen +n04105068 roof +n04105438 roof +n04105704 roofing +n04105893 room +n04107598 roomette +n04107743 room light +n04107984 roost +n04108268 rope +n04108822 rope bridge +n04108999 rope tow +n04110068 rose water +n04110178 rose window, rosette +n04110281 rosin bag +n04110439 rotary actuator, positioner +n04110654 rotary engine +n04110841 rotary press +n04110955 rotating mechanism +n04111190 rotating shaft, shaft +n04111414 rotisserie +n04111531 rotisserie +n04111668 rotor +n04111962 rotor, rotor coil +n04112147 rotor +n04112252 rotor blade, rotary wing +n04112430 rotor head, rotor shaft +n04112579 rotunda +n04112654 rotunda +n04112752 rouge, paint, blusher +n04112921 roughcast +n04113038 rouleau +n04113194 roulette, toothed wheel +n04113316 roulette ball +n04113406 roulette wheel, wheel +n04113641 round, unit of ammunition, one shot +n04113765 round arch +n04113968 round-bottom flask +n04114069 roundel +n04114301 round file +n04114428 roundhouse +n04114719 router +n04114844 router +n04114996 router plane +n04115144 rowel +n04115256 row house, town house +n04115456 rowing boat +n04115542 rowlock arch +n04115802 royal +n04115996 royal mast +n04116098 rubber band, elastic band, elastic +n04116294 rubber boot, gum boot +n04116389 rubber bullet +n04116512 rubber eraser, rubber, pencil eraser +n04117216 rudder +n04117464 rudder +n04117639 rudder blade +n04118021 rug, carpet, carpeting +n04118538 rugby ball +n04118635 ruin +n04118776 rule, ruler +n04119091 rumble +n04119230 rumble seat +n04119360 rummer +n04119478 rumpus room, playroom, game room +n04119630 runcible spoon +n04119751 rundle, spoke, rung +n04120489 running shoe +n04120695 running suit +n04120842 runway +n04121228 rushlight, rush candle +n04121342 russet +n04121426 rya, rya rug +n04121511 saber, sabre +n04121728 saber saw, jigsaw, reciprocating saw +n04122262 sable +n04122349 sable, sable brush, sable's hair pencil +n04122492 sable coat +n04122578 sabot, wooden shoe +n04122685 sachet +n04122825 sack, poke, paper bag, carrier bag +n04123026 sack, sacque +n04123123 sackbut +n04123228 sackcloth +n04123317 sackcloth +n04123448 sack coat +n04123567 sacking, bagging +n04123740 saddle +n04124098 saddlebag +n04124202 saddle blanket, saddlecloth, horse blanket +n04124370 saddle oxford, saddle shoe +n04124488 saddlery +n04124573 saddle seat +n04124887 saddle stitch +n04125021 safe +n04125116 safe +n04125257 safe-deposit, safe-deposit box, safety-deposit, safety deposit box, deposit box, lockbox +n04125541 safe house +n04125692 safety arch +n04125853 safety belt, life belt, safety harness +n04126066 safety bicycle, safety bike +n04126244 safety bolt, safety lock +n04126541 safety curtain +n04126659 safety fuse +n04126852 safety lamp, Davy lamp +n04126980 safety match, book matches +n04127117 safety net +n04127249 safety pin +n04127395 safety rail, guardrail +n04127521 safety razor +n04127633 safety valve, relief valve, escape valve, escape cock, escape +n04127904 sail, canvas, canvass, sheet +n04128413 sail +n04128499 sailboat, sailing boat +n04128710 sailcloth +n04128837 sailing vessel, sailing ship +n04129490 sailing warship +n04129688 sailor cap +n04129766 sailor suit +n04130143 salad bar +n04130257 salad bowl +n04130566 salinometer +n04130907 sallet, salade +n04131015 salon +n04131113 salon +n04131208 salon, beauty salon, beauty parlor, beauty parlour, beauty shop +n04131368 saltbox +n04131499 saltcellar +n04131690 saltshaker, salt shaker +n04131811 saltworks +n04131929 salver +n04132158 salwar, shalwar +n04132465 Sam Browne belt +n04132603 samisen, shamisen +n04132829 samite +n04132985 samovar +n04133114 sampan +n04133789 sandal +n04134008 sandbag +n04134170 sandblaster +n04134523 sandbox +n04134632 sandglass +n04135024 sand wedge +n04135118 sandwich board +n04135315 sanitary napkin, sanitary towel, Kotex +n04135710 cling film, clingfilm, Saran Wrap +n04135933 sarcenet, sarsenet +n04136045 sarcophagus +n04136161 sari, saree +n04136333 sarong +n04136510 sash, window sash +n04136800 sash fastener, sash lock, window lock +n04137089 sash window +n04137217 satchel +n04137355 sateen +n04137444 satellite, artificial satellite, orbiter +n04137773 satellite receiver +n04137897 satellite television, satellite TV +n04138131 satellite transmitter +n04138261 satin +n04138869 Saturday night special +n04138977 saucepan +n04139140 saucepot +n04139395 sauna, sweat room +n04139859 savings bank, coin bank, money box, bank +n04140064 saw +n04140539 sawed-off shotgun +n04140631 sawhorse, horse, sawbuck, buck +n04140777 sawmill +n04140853 saw set +n04141076 sax, saxophone +n04141198 saxhorn +n04141327 scabbard +n04141712 scaffolding, staging +n04141838 scale +n04141975 scale, weighing machine +n04142175 scaler +n04142327 scaling ladder +n04142434 scalpel +n04142731 scanner, electronic scanner +n04142999 scanner +n04143140 scanner, digital scanner, image scanner +n04143365 scantling, stud +n04143897 scarf +n04144241 scarf joint, scarf +n04144539 scatter rug, throw rug +n04144651 scauper, scorper +n04145863 Schmidt telescope, Schmidt camera +n04146050 school, schoolhouse +n04146343 schoolbag +n04146504 school bell +n04146614 school bus +n04146862 school ship, training ship +n04146976 school system +n04147183 schooner +n04147291 schooner +n04147495 scientific instrument +n04147793 scimitar +n04147916 scintillation counter +n04148054 scissors, pair of scissors +n04148285 sclerometer +n04148464 scoinson arch, sconcheon arch +n04148579 sconce +n04148703 sconce +n04149083 scoop +n04149374 scooter +n04149813 scoreboard +n04150153 scouring pad +n04150273 scow +n04150371 scow +n04150980 scraper +n04151108 scratcher +n04151581 screen +n04151940 screen, cover, covert, concealment +n04152387 screen +n04152593 screen, CRT screen +n04153025 screen door, screen +n04153330 screening +n04153751 screw +n04154152 screw, screw propeller +n04154340 screw +n04154565 screwdriver +n04154753 screw eye +n04154854 screw key +n04154938 screw thread, thread +n04155068 screwtop +n04155177 screw wrench +n04155457 scriber, scribe, scratch awl +n04155625 scrim +n04155735 scrimshaw +n04155889 scriptorium +n04156040 scrubber +n04156140 scrub brush, scrubbing brush, scrubber +n04156297 scrub plane +n04156411 scuffer +n04156591 scuffle, scuffle hoe, Dutch hoe +n04156814 scull +n04156946 scull +n04157099 scullery +n04157320 sculpture +n04158002 scuttle, coal scuttle +n04158138 scyphus +n04158250 scythe +n04158672 seabag +n04158807 sea boat +n04158956 sea chest +n04160036 sealing wax, seal +n04160261 sealskin +n04160372 seam +n04160586 seaplane, hydroplane +n04160847 searchlight +n04161010 searing iron +n04161358 seat +n04161981 seat +n04162433 seat +n04162706 seat belt, seatbelt +n04163530 secateurs +n04164002 secondary coil, secondary winding, secondary +n04164199 second balcony, family circle, upper balcony, peanut gallery +n04164406 second base +n04164757 second hand +n04164868 secretary, writing table, escritoire, secretaire +n04165409 sectional +n04165675 security blanket +n04165945 security system, security measure, security +n04166111 security system +n04166281 sedan, saloon +n04166436 sedan, sedan chair +n04167346 seeder +n04167489 seeker +n04167661 seersucker +n04168084 segmental arch +n04168199 Segway, Segway Human Transporter, Segway HT +n04168472 seidel +n04168541 seine +n04168840 seismograph +n04169437 selector, selector switch +n04169597 selenium cell +n04170037 self-propelled vehicle +n04170384 self-registering thermometer +n04170515 self-starter +n04170694 selsyn, synchro +n04170933 selvage, selvedge +n04171208 semaphore +n04171459 semiautomatic firearm +n04171629 semiautomatic pistol, semiautomatic +n04171831 semiconductor device, semiconductor unit, semiconductor +n04172107 semi-detached house +n04172230 semigloss +n04172342 semitrailer, semi +n04172512 sennit +n04172607 sensitometer +n04172776 sentry box +n04172904 separate +n04173046 septic tank +n04173172 sequence, episode +n04173511 sequencer, sequenator +n04173907 serape, sarape +n04174026 serge +n04174101 serger +n04174234 serial port +n04174500 serpent +n04174705 serration +n04175039 server +n04175147 server, host +n04175574 service club +n04176068 serving cart +n04176190 serving dish +n04176295 servo, servomechanism, servosystem +n04176528 set +n04177041 set gun, spring gun +n04177329 setscrew +n04177545 setscrew +n04177654 set square +n04177755 settee +n04177820 settle, settee +n04177931 settlement house +n04178190 seventy-eight, 78 +n04178329 Seven Wonders of the Ancient World, Seven Wonders of the World +n04178668 sewage disposal plant, disposal plant +n04179126 sewer, sewerage, cloaca +n04179712 sewing basket +n04179824 sewing kit +n04179913 sewing machine +n04180063 sewing needle +n04180229 sewing room +n04180888 sextant +n04181083 sgraffito +n04181228 shackle, bond, hamper, trammel +n04181561 shackle +n04181718 shade +n04182152 shadow box +n04182322 shaft +n04183217 shag rug +n04183329 shaker +n04183957 shank +n04184095 shank, stem +n04184316 shantung +n04184435 shaper, shaping machine +n04184600 shaping tool +n04184880 sharkskin +n04185071 sharpener +n04185529 Sharpie +n04185804 shaver, electric shaver, electric razor +n04185946 shaving brush +n04186051 shaving cream, shaving soap +n04186268 shaving foam +n04186455 shawl +n04186624 shawm +n04186848 shears +n04187061 sheath +n04187233 sheathing, overlay, overlayer +n04187547 shed +n04187751 sheep bell +n04187885 sheepshank +n04187970 sheepskin coat, afghan +n04188064 sheepwalk, sheeprun +n04188179 sheet, bed sheet +n04189092 sheet bend, becket bend, weaver's knot, weaver's hitch +n04189282 sheeting +n04189651 sheet pile, sheath pile, sheet piling +n04189816 Sheetrock +n04190052 shelf +n04190376 shelf bracket +n04190464 shell +n04190747 shell, case, casing +n04190997 shell, racing shell +n04191150 shellac, shellac varnish +n04191595 shelter +n04191943 shelter +n04192238 shelter +n04192361 sheltered workshop +n04192521 Sheraton +n04192698 shield, buckler +n04192858 shield +n04193179 shielding +n04193377 shift key, shift +n04193742 shillelagh, shillalah +n04193883 shim +n04194009 shingle +n04194127 shin guard, shinpad +n04194289 ship +n04196080 shipboard system +n04196502 shipping, cargo ships, merchant marine, merchant vessels +n04196803 shipping room +n04196925 ship-towed long-range acoustic detection system +n04197110 shipwreck +n04197391 shirt +n04197781 shirt button +n04197878 shirtdress +n04198015 shirtfront +n04198233 shirting +n04198355 shirtsleeve +n04198453 shirttail +n04198562 shirtwaist, shirtwaister +n04198722 shiv +n04198797 shock absorber, shock, cushion +n04199027 shoe +n04200000 shoe +n04200258 shoebox +n04200537 shoehorn +n04200800 shoe shop, shoe-shop, shoe store +n04200908 shoetree +n04201064 shofar, shophar +n04201297 shoji +n04201733 shooting brake +n04202142 shooting lodge, shooting box +n04202282 shooting stick +n04202417 shop, store +n04203356 shop bell +n04204081 shopping bag +n04204238 shopping basket +n04204347 shopping cart +n04204755 short circuit, short +n04205062 short iron +n04205318 short pants, shorts, trunks +n04205505 short sleeve +n04205613 shortwave diathermy machine +n04206070 shot +n04206225 shot glass, jigger, pony +n04206356 shotgun, scattergun +n04206570 shotgun shell +n04206790 shot tower +n04207151 shoulder +n04207343 shoulder bag +n04207596 shouldered arch +n04207763 shoulder holster +n04207903 shoulder pad +n04208065 shoulder patch +n04208210 shovel +n04208427 shovel +n04208582 shovel hat +n04208760 showboat +n04208936 shower +n04209133 shower cap +n04209239 shower curtain +n04209509 shower room +n04209613 shower stall, shower bath +n04209811 showroom, salesroom, saleroom +n04210012 shrapnel +n04210120 shredder +n04210288 shrimper +n04210390 shrine +n04210591 shrink-wrap +n04210858 shunt +n04211001 shunt, electrical shunt, bypass +n04211219 shunter +n04211356 shutter +n04211528 shutter +n04211857 shuttle +n04211970 shuttle +n04212165 shuttle bus +n04212282 shuttlecock, bird, birdie, shuttle +n04212467 shuttle helicopter +n04212810 Sibley tent +n04213105 sickbay, sick berth +n04213264 sickbed +n04213353 sickle, reaping hook, reap hook +n04213530 sickroom +n04214046 sideboard +n04214282 sidecar +n04214413 side chapel +n04214649 sidelight, running light +n04215153 sidesaddle +n04215402 sidewalk, pavement +n04215588 sidewall +n04215800 side-wheeler +n04215910 sidewinder +n04216634 sieve, screen +n04216860 sifter +n04216963 sights +n04217387 sigmoidoscope, flexible sigmoidoscope +n04217546 signal box, signal tower +n04217718 signaling device +n04217882 signboard, sign +n04218564 silencer, muffler +n04218921 silent butler +n04219185 Silex +n04219424 silk +n04219580 silks +n04220250 silo +n04220805 silver plate +n04221076 silverpoint +n04221673 simple pendulum +n04221823 simulator +n04222210 single bed +n04222307 single-breasted jacket +n04222470 single-breasted suit +n04222723 single prop, single-propeller plane +n04222847 single-reed instrument, single-reed woodwind +n04223066 single-rotor helicopter +n04223170 singlestick, fencing stick, backsword +n04223299 singlet, vest, undershirt +n04224395 siren +n04224543 sister ship +n04224842 sitar +n04225031 sitz bath, hip bath +n04225222 six-pack, six pack, sixpack +n04225729 skate +n04225987 skateboard +n04226322 skeg +n04226464 skein +n04226537 skeleton, skeletal frame, frame, underframe +n04226826 skeleton key +n04226962 skep +n04227050 skep +n04227144 sketch, study +n04227519 sketcher +n04227787 skew arch +n04227900 skewer +n04228054 ski +n04228215 ski binding, binding +n04228422 skibob +n04228581 ski boot +n04228693 ski cap, stocking cap, toboggan cap +n04229007 skidder +n04229107 skid lid +n04229480 skiff +n04229620 ski jump +n04229737 ski lodge +n04229816 ski mask +n04229959 skimmer +n04230387 ski parka, ski jacket +n04230487 ski-plane +n04230603 ski pole +n04230707 ski rack +n04230808 skirt +n04231272 skirt +n04231693 ski tow, ski lift, lift +n04231905 Skivvies +n04232153 skullcap +n04232312 skybox +n04232437 skyhook +n04232800 skylight, fanlight +n04233027 skysail +n04233124 skyscraper +n04233295 skywalk +n04233715 slacks +n04233832 slack suit +n04234160 slasher +n04234260 slash pocket +n04234455 slat, spline +n04234670 slate +n04234763 slate pencil +n04234887 slate roof +n04235291 sled, sledge, sleigh +n04235646 sleeper +n04235771 sleeper +n04235860 sleeping bag +n04236001 sleeping car, sleeper, wagon-lit +n04236377 sleeve, arm +n04236702 sleeve +n04236809 sleigh bed +n04236935 sleigh bell, cascabel +n04237174 slice bar +n04237287 slicer +n04237423 slicer +n04238128 slide, playground slide, sliding board +n04238321 slide fastener, zip, zipper, zip fastener +n04238617 slide projector +n04238763 slide rule, slipstick +n04238953 slide valve +n04239074 sliding door +n04239218 sliding seat +n04239333 sliding window +n04239436 sling, scarf bandage, triangular bandage +n04239639 sling +n04239786 slingback, sling +n04239900 slinger ring +n04240434 slip clutch, slip friction clutch +n04240752 slipcover +n04240867 slip-joint pliers +n04241042 slipknot +n04241249 slip-on +n04241394 slipper, carpet slipper +n04241573 slip ring +n04242084 slit lamp +n04242315 slit trench +n04242408 sloop +n04242587 sloop of war +n04242704 slop basin, slop bowl +n04243003 slop pail, slop jar +n04243142 slops +n04243251 slopshop, slopseller's shop +n04243546 slot, one-armed bandit +n04243941 slot machine, coin machine +n04244379 sluice, sluiceway, penstock +n04244847 smack +n04244997 small boat +n04245218 small computer system interface, SCSI +n04245412 small ship +n04245508 small stores +n04245847 smart bomb +n04246060 smelling bottle +n04246271 smocking +n04246459 smoke bomb, smoke grenade +n04246731 smokehouse, meat house +n04246855 smoker, smoking car, smoking carriage, smoking compartment +n04247011 smoke screen, smokescreen +n04247440 smoking room +n04247544 smoothbore +n04247630 smooth plane, smoothing plane +n04247736 snack bar, snack counter, buffet +n04247876 snaffle, snaffle bit +n04248209 snap, snap fastener, press stud +n04248396 snap brim +n04248507 snap-brim hat +n04248851 snare, gin, noose +n04249415 snare drum, snare, side drum +n04249582 snatch block +n04249882 snifter, brandy snifter, brandy glass +n04250224 sniper rifle, precision rifle +n04250473 snips, tinsnips +n04250599 Sno-cat +n04250692 snood +n04250850 snorkel, schnorkel, schnorchel, snorkel breather, breather +n04251144 snorkel +n04251701 snowbank, snow bank +n04251791 snowboard +n04252077 snowmobile +n04252225 snowplow, snowplough +n04252331 snowshoe +n04252560 snowsuit +n04252653 snow thrower, snow blower +n04253057 snuffbox +n04253168 snuffer +n04253304 snuffers +n04253931 soapbox +n04254009 soap dish +n04254120 soap dispenser +n04254450 soap pad +n04254680 soccer ball +n04254777 sock +n04255163 socket +n04255346 socket wrench +n04255499 socle +n04255586 soda can +n04255670 soda fountain +n04255768 soda fountain +n04255899 sod house, soddy, adobe house +n04256318 sodium-vapor lamp, sodium-vapour lamp +n04256520 sofa, couch, lounge +n04256758 soffit +n04256891 softball, playground ball +n04257223 soft pedal +n04257684 soil pipe +n04257790 solar array, solar battery, solar panel +n04257986 solar cell, photovoltaic cell +n04258138 solar dish, solar collector, solar furnace +n04258333 solar heater +n04258438 solar house +n04258618 solar telescope +n04258732 solar thermal system +n04258859 soldering iron +n04259202 solenoid +n04259468 solleret, sabaton +n04259630 sombrero +n04260192 sonic depth finder, fathometer +n04260364 sonogram, echogram +n04260589 sonograph +n04261116 sorter +n04261281 souk +n04261369 sound bow +n04261506 soundbox, body +n04261638 sound camera +n04261767 sounder +n04261868 sound film +n04262161 sounding board, soundboard +n04262530 sounding rocket +n04262678 sound recording, audio recording, audio +n04262869 sound spectrograph +n04263257 soup bowl +n04263336 soup ladle +n04263502 soupspoon, soup spoon +n04263760 source of illumination +n04263950 sourdine +n04264134 soutache +n04264233 soutane +n04264361 sou'wester +n04264485 soybean future +n04264628 space bar +n04264765 space capsule, capsule +n04264914 spacecraft, ballistic capsule, space vehicle +n04265275 space heater +n04265428 space helmet +n04265904 space rocket +n04266014 space shuttle +n04266162 space station, space platform, space laboratory +n04266375 spacesuit +n04266486 spade +n04266849 spade bit +n04266968 spaghetti junction +n04267091 Spandau +n04267165 spandex +n04267246 spandrel, spandril +n04267435 spanker +n04267577 spar +n04267985 sparge pipe +n04268142 spark arrester, sparker +n04268275 spark arrester +n04268418 spark chamber, spark counter +n04268565 spark coil +n04268799 spark gap +n04269086 spark lever +n04269270 spark plug, sparking plug, plug +n04269502 sparkplug wrench +n04269668 spark transmitter +n04269822 spat, gaiter +n04269944 spatula +n04270147 spatula +n04270371 speakerphone +n04270576 speaking trumpet +n04270891 spear, lance, shaft +n04271148 spear, gig, fizgig, fishgig, lance +n04271531 specialty store +n04271793 specimen bottle +n04271891 spectacle +n04272054 spectacles, specs, eyeglasses, glasses +n04272389 spectator pump, spectator +n04272782 spectrograph +n04272928 spectrophotometer +n04273064 spectroscope, prism spectroscope +n04273285 speculum +n04273569 speedboat +n04273659 speed bump +n04273796 speedometer, speed indicator +n04273972 speed skate, racing skate +n04274686 spherometer +n04274985 sphygmomanometer +n04275093 spicemill +n04275175 spice rack +n04275283 spider +n04275548 spider web, spider's web +n04275661 spike +n04275904 spike +n04277352 spindle +n04277493 spindle, mandrel, mandril, arbor +n04277669 spindle +n04277826 spin dryer, spin drier +n04278247 spinet +n04278353 spinet +n04278447 spinnaker +n04278605 spinner +n04278932 spinning frame +n04279063 spinning jenny +n04279172 spinning machine +n04279353 spinning rod +n04279462 spinning wheel +n04279858 spiral bandage +n04279987 spiral ratchet screwdriver, ratchet screwdriver +n04280259 spiral spring +n04280373 spirit lamp +n04280487 spirit stove +n04280845 spirometer +n04280970 spit +n04281260 spittoon, cuspidor +n04281375 splashboard, splasher, dashboard +n04281571 splasher +n04281998 splice, splicing +n04282231 splicer +n04282494 splint +n04282872 split rail, fence rail +n04282992 Spode +n04283096 spoiler +n04283255 spoiler +n04283378 spoke, wheel spoke, radius +n04283585 spokeshave +n04283784 sponge cloth +n04283905 sponge mop +n04284002 spoon +n04284341 spoon +n04284438 Spork +n04284572 sporran +n04284869 sport kite, stunt kite +n04285008 sports car, sport car +n04285146 sports equipment +n04285622 sports implement +n04285803 sportswear, athletic wear, activewear +n04285965 sport utility, sport utility vehicle, S.U.V., SUV +n04286128 spot +n04286575 spotlight, spot +n04286960 spot weld, spot-weld +n04287351 spouter +n04287451 sprag +n04287747 spray gun +n04287898 spray paint +n04287986 spreader +n04288165 sprig +n04288272 spring +n04288533 spring balance, spring scale +n04288673 springboard +n04289027 sprinkler +n04289195 sprinkler system +n04289449 sprit +n04289576 spritsail +n04289690 sprocket, sprocket wheel +n04289827 sprocket +n04290079 spun yarn +n04290259 spur, gad +n04290507 spur gear, spur wheel +n04290615 sputnik +n04290762 spy satellite +n04291069 squad room +n04291242 square +n04291759 square knot +n04291992 square-rigger +n04292080 square sail +n04292221 squash ball +n04292414 squash racket, squash racquet, bat +n04292572 squawk box, squawker, intercom speaker +n04292921 squeegee +n04293119 squeezer +n04293258 squelch circuit, squelch, squelcher +n04293744 squinch +n04294212 stabilizer, stabiliser +n04294426 stabilizer +n04294614 stabilizer bar, anti-sway bar +n04294879 stable, stalls, horse barn +n04295081 stable gear, saddlery, tack +n04295353 stabling +n04295571 stacks +n04295777 staddle +n04295881 stadium, bowl, arena, sports stadium +n04296562 stage +n04297098 stagecoach, stage +n04297750 stained-glass window +n04297847 stair-carpet +n04298053 stair-rod +n04298661 stairwell +n04298765 stake +n04299215 stall, stand, sales booth +n04299370 stall +n04299963 stamp +n04300358 stamp mill, stamping mill +n04300509 stamping machine, stamper +n04300643 stanchion +n04301000 stand +n04301242 standard +n04301474 standard cell +n04301760 standard transmission, stick shift +n04302200 standing press +n04302863 stanhope +n04302988 Stanley Steamer +n04303095 staple +n04303258 staple +n04303357 staple gun, staplegun, tacker +n04303497 stapler, stapling machine +n04304215 starship, spaceship +n04304375 starter, starter motor, starting motor +n04304680 starting gate, starting stall +n04305016 Stassano furnace, electric-arc furnace +n04305210 Statehouse +n04305323 stately home +n04305471 state prison +n04305572 stateroom +n04305947 static tube +n04306080 station +n04306592 stator, stator coil +n04306847 statue +n04307419 stay +n04307767 staysail +n04307878 steakhouse, chophouse +n04307986 steak knife +n04308084 stealth aircraft +n04308273 stealth bomber +n04308397 stealth fighter +n04308583 steam bath, steam room, vapor bath, vapour bath +n04308807 steamboat +n04308915 steam chest +n04309049 steam engine +n04309348 steamer, steamship +n04309548 steamer +n04309833 steam iron +n04310018 steam locomotive +n04310157 steamroller, road roller +n04310507 steam shovel +n04310604 steam turbine +n04310721 steam whistle +n04310904 steel +n04311004 steel arch bridge +n04311174 steel drum +n04311595 steel mill, steelworks, steel plant, steel factory +n04312020 steel-wool pad +n04312154 steelyard, lever scale, beam scale +n04312432 steeple, spire +n04312654 steerage +n04312756 steering gear +n04312916 steering linkage +n04313220 steering system, steering mechanism +n04313503 steering wheel, wheel +n04313628 stele, stela +n04314107 stem-winder +n04314216 stencil +n04314522 Sten gun +n04314632 stenograph +n04314914 step, stair +n04315342 step-down transformer +n04315713 step stool +n04315828 step-up transformer +n04315948 stereo, stereophony, stereo system, stereophonic system +n04316498 stereoscope +n04316815 stern chaser +n04316924 sternpost +n04317063 sternwheeler +n04317175 stethoscope +n04317325 stewing pan, stewpan +n04317420 stick +n04317833 stick +n04317976 stick, control stick, joystick +n04318131 stick +n04318787 stile +n04318892 stiletto +n04318982 still +n04319545 stillroom, still room +n04319774 Stillson wrench +n04319937 stilt +n04320405 Stinger +n04320598 stink bomb, stench bomb +n04320871 stirrer +n04320973 stirrup, stirrup iron +n04321121 stirrup pump +n04321453 stob +n04322026 stock, gunstock +n04322531 stockade +n04322692 stockcar +n04322801 stock car +n04323519 stockinet, stockinette +n04323819 stocking +n04324120 stock-in-trade +n04324297 stockpot +n04324387 stockroom, stock room +n04324515 stocks +n04325041 stock saddle, Western saddle +n04325208 stockyard +n04325704 stole +n04325804 stomacher +n04325968 stomach pump +n04326547 stone wall +n04326676 stoneware +n04326799 stonework +n04326896 stool +n04327204 stoop, stoep +n04327544 stop bath, short-stop, short-stop bath +n04327682 stopcock, cock, turncock +n04328054 stopper knot +n04328186 stopwatch, stop watch +n04328329 storage battery, accumulator +n04328580 storage cell, secondary cell +n04328703 storage ring +n04328946 storage space +n04329477 storeroom, storage room, stowage +n04329681 storm cellar, cyclone cellar, tornado cellar +n04329834 storm door +n04329958 storm window, storm sash +n04330109 stoup, stoop +n04330189 stoup +n04330267 stove +n04330340 stove, kitchen stove, range, kitchen range, cooking stove +n04330669 stove bolt +n04330746 stovepipe +n04330896 stovepipe iron +n04330998 Stradavarius, Strad +n04331277 straight chair, side chair +n04331443 straightedge +n04331639 straightener +n04331765 straight flute, straight-fluted drill +n04331892 straight pin +n04332074 straight razor +n04332243 strainer +n04332580 straitjacket, straightjacket +n04332987 strap +n04333129 strap +n04333869 strap hinge, joint hinge +n04334105 strapless +n04334365 streamer fly +n04334504 streamliner +n04334599 street +n04335209 street +n04335435 streetcar, tram, tramcar, trolley, trolley car +n04335693 street clothes +n04335886 streetlight, street lamp +n04336792 stretcher +n04337157 stretcher +n04337287 stretch pants +n04337503 strickle +n04337650 strickle +n04338517 stringed instrument +n04338963 stringer +n04339062 stringer +n04339191 string tie +n04339638 strip +n04339879 strip lighting +n04340019 strip mall +n04340521 stroboscope, strobe, strobe light +n04340750 strongbox, deedbox +n04340935 stronghold, fastness +n04341133 strongroom +n04341288 strop +n04341414 structural member +n04341686 structure, construction +n04343511 student center +n04343630 student lamp +n04343740 student union +n04344003 stud finder +n04344734 studio apartment, studio +n04344873 studio couch, day bed +n04345028 study +n04345201 study hall +n04345787 stuffing nut, packing nut +n04346003 stump +n04346157 stun gun, stun baton +n04346328 stupa, tope +n04346428 sty, pigsty, pigpen +n04346511 stylus, style +n04346679 stylus +n04346855 sub-assembly +n04347119 subcompact, subcompact car +n04347519 submachine gun +n04347754 submarine, pigboat, sub, U-boat +n04348070 submarine torpedo +n04348184 submersible, submersible warship +n04348359 submersible +n04348988 subtracter +n04349189 subway token +n04349306 subway train +n04349401 subwoofer +n04349913 suction cup +n04350104 suction pump +n04350235 sudatorium, sudatory +n04350458 suede cloth, suede +n04350581 sugar bowl +n04350688 sugar refinery +n04350769 sugar spoon, sugar shell +n04350905 suit, suit of clothes +n04351550 suite, rooms +n04351699 suiting +n04353573 sulky +n04354026 summer house +n04354182 sumo ring +n04354387 sump +n04354487 sump pump +n04354589 sunbonnet +n04355115 Sunday best, Sunday clothes +n04355267 sun deck +n04355338 sundial +n04355511 sundress +n04355684 sundries +n04355821 sun gear +n04355933 sunglass +n04356056 sunglasses, dark glasses, shades +n04356595 sunhat, sun hat +n04356772 sunlamp, sun lamp, sunray lamp, sun-ray lamp +n04356925 sun parlor, sun parlour, sun porch, sunporch, sunroom, sun lounge, solarium +n04357121 sunroof, sunshine-roof +n04357314 sunscreen, sunblock, sun blocker +n04357531 sunsuit +n04357930 supercharger +n04358117 supercomputer +n04358256 superconducting supercollider +n04358491 superhighway, information superhighway +n04358707 supermarket +n04358874 superstructure +n04359034 supertanker +n04359124 supper club +n04359217 supplejack +n04359335 supply chamber +n04359500 supply closet +n04359589 support +n04360501 support +n04360798 support column +n04360914 support hose, support stocking +n04361095 supporting structure +n04361260 supporting tower +n04361937 surcoat +n04362624 surface gauge, surface gage, scribing block +n04362821 surface lift +n04362972 surface search radar +n04363082 surface ship +n04363210 surface-to-air missile, SAM +n04363412 surface-to-air missile system +n04363671 surfboat +n04363777 surcoat +n04363874 surgeon's knot +n04363991 surgery +n04364160 surge suppressor, surge protector, spike suppressor, spike arrester, lightning arrester +n04364397 surgical dressing +n04364545 surgical instrument +n04364827 surgical knife +n04364994 surplice +n04365112 surrey +n04365229 surtout +n04365328 surveillance system +n04365484 surveying instrument, surveyor's instrument +n04365751 surveyor's level +n04366033 sushi bar +n04366116 suspension, suspension system +n04366367 suspension bridge +n04366832 suspensory, suspensory bandage +n04367011 sustaining pedal, loud pedal +n04367371 suture, surgical seam +n04367480 swab, swob, mop +n04367746 swab +n04367950 swaddling clothes, swaddling bands +n04368109 swag +n04368235 swage block +n04368365 swagger stick +n04368496 swallow-tailed coat, swallowtail, morning coat +n04368695 swamp buggy, marsh buggy +n04368840 swan's down +n04369025 swathe, wrapping +n04369282 swatter, flyswatter, flyswat +n04369485 sweat bag +n04369618 sweatband +n04370048 sweater, jumper +n04370288 sweat pants, sweatpants +n04370456 sweatshirt +n04370600 sweatshop +n04370774 sweat suit, sweatsuit, sweats, workout suit +n04370955 sweep, sweep oar +n04371050 sweep hand, sweep-second +n04371430 swimming trunks, bathing trunks +n04371563 swimsuit, swimwear, bathing suit, swimming costume, bathing costume +n04371774 swing +n04371979 swing door, swinging door +n04372370 switch, electric switch, electrical switch +n04373089 switchblade, switchblade knife, flick-knife, flick knife +n04373428 switch engine, donkey engine +n04373563 swivel +n04373704 swivel chair +n04373795 swizzle stick +n04373894 sword, blade, brand, steel +n04374315 sword cane, sword stick +n04374521 S wrench +n04374735 synagogue, temple, tabernacle +n04374907 synchrocyclotron +n04375080 synchroflash +n04375241 synchromesh +n04375405 synchronous converter, rotary, rotary converter +n04375615 synchronous motor +n04375775 synchrotron +n04375926 synchroscope, synchronoscope, synchronizer, synchroniser +n04376400 synthesizer, synthesiser +n04376876 syringe +n04377057 system +n04378489 tabard +n04378651 Tabernacle +n04378956 tabi, tabis +n04379096 tab key, tab +n04379243 table +n04379964 table +n04380255 tablefork +n04380346 table knife +n04380533 table lamp +n04380916 table saw +n04381073 tablespoon +n04381450 tablet-armed chair +n04381587 table-tennis table, ping-pong table, pingpong table +n04381724 table-tennis racquet, table-tennis bat, pingpong paddle +n04381860 tabletop +n04381994 tableware +n04382334 tabor, tabour +n04382438 taboret, tabouret +n04382537 tachistoscope, t-scope +n04382695 tachograph +n04382880 tachometer, tach +n04383015 tachymeter, tacheometer +n04383130 tack +n04383301 tack hammer +n04383839 taffeta +n04383923 taffrail +n04384593 tailgate, tailboard +n04384910 taillight, tail lamp, rear light, rear lamp +n04385079 tailor-made +n04385157 tailor's chalk +n04385536 tailpipe +n04385799 tail rotor, anti-torque rotor +n04386051 tailstock +n04386456 take-up +n04386664 talaria +n04386792 talcum, talcum powder +n04387095 tam, tam-o'-shanter, tammy +n04387201 tambour +n04387261 tambour, embroidery frame, embroidery hoop +n04387400 tambourine +n04387531 tammy +n04387706 tamp, tamper, tamping bar +n04387932 Tampax +n04388040 tampion, tompion +n04388162 tampon +n04388473 tandoor +n04388574 tangram +n04388743 tank, storage tank +n04389033 tank, army tank, armored combat vehicle, armoured combat vehicle +n04389430 tankard +n04389521 tank car, tank +n04389718 tank destroyer +n04389854 tank engine, tank locomotive +n04389999 tanker plane +n04390483 tank shell +n04390577 tank top +n04390873 tannoy +n04390977 tap, spigot +n04391445 tapa, tappa +n04391838 tape, tape recording, taping +n04392113 tape, tapeline, tape measure +n04392526 tape deck +n04392764 tape drive, tape transport, transport +n04392985 tape player +n04393095 tape recorder, tape machine +n04393301 taper file +n04393549 tapestry, tapis +n04393808 tappet +n04393913 tap wrench +n04394031 tare +n04394261 target, butt +n04394421 target acquisition system +n04394630 tarmacadam, tarmac, macadam +n04395024 tarpaulin, tarp +n04395106 tartan, plaid +n04395332 tasset, tasse +n04395651 tattoo +n04395875 tavern, tap house +n04396226 tawse +n04396335 taximeter +n04396650 T-bar lift, T-bar, Alpine lift +n04396808 tea bag +n04396902 tea ball +n04397027 tea cart, teacart, tea trolley, tea wagon +n04397168 tea chest +n04397261 teaching aid +n04397452 teacup +n04397645 tea gown +n04397768 teakettle +n04397860 tea maker +n04398044 teapot +n04398497 teashop, teahouse, tearoom, tea parlor, tea parlour +n04398688 teaspoon +n04398834 tea-strainer +n04398951 tea table +n04399046 tea tray +n04399158 tea urn +n04399382 teddy, teddy bear +n04399537 tee, golf tee +n04399846 tee hinge, T hinge +n04400109 telecom hotel, telco building +n04400289 telecommunication system, telecom system, telecommunication equipment, telecom equipment +n04400499 telegraph, telegraphy +n04400737 telegraph key +n04400899 telemeter +n04401088 telephone, phone, telephone set +n04401578 telephone bell +n04401680 telephone booth, phone booth, call box, telephone box, telephone kiosk +n04401828 telephone cord, phone cord +n04401949 telephone jack, phone jack +n04402057 telephone line, phone line, telephone circuit, subscriber line, line +n04402342 telephone plug, phone plug +n04402449 telephone pole, telegraph pole, telegraph post +n04402580 telephone receiver, receiver +n04402746 telephone system, phone system +n04402984 telephone wire, telephone line, telegraph wire, telegraph line +n04403413 telephoto lens, zoom lens +n04403524 Teleprompter +n04403638 telescope, scope +n04403925 telescopic sight, telescope sight +n04404072 telethermometer +n04404200 teletypewriter, teleprinter, teletype machine, telex, telex machine +n04404412 television, television system +n04404817 television antenna, tv-antenna +n04404997 television camera, tv camera, camera +n04405540 television equipment, video equipment +n04405762 television monitor, tv monitor +n04405907 television receiver, television, television set, tv, tv set, idiot box, boob tube, telly, goggle box +n04406239 television room, tv room +n04406552 television transmitter +n04406687 telpher, telfer +n04406817 telpherage, telferage +n04407257 tempera, poster paint, poster color, poster colour +n04407435 temple +n04407686 temple +n04408871 temporary hookup, patch +n04409011 tender, supply ship +n04409128 tender, ship's boat, pinnace, cutter +n04409279 tender +n04409384 tenement, tenement house +n04409515 tennis ball +n04409625 tennis camp +n04409806 tennis racket, tennis racquet +n04409911 tenon +n04410086 tenor drum, tom-tom +n04410365 tenoroon +n04410485 tenpenny nail +n04410565 tenpin +n04410663 tensimeter +n04410760 tensiometer +n04410886 tensiometer +n04411019 tensiometer +n04411264 tent, collapsible shelter +n04411835 tenter +n04411966 tenterhook +n04412097 tent-fly, rainfly, fly sheet, fly, tent flap +n04412300 tent peg +n04412416 tepee, tipi, teepee +n04413151 terminal, pole +n04413419 terminal +n04413969 terraced house +n04414101 terra cotta +n04414199 terrarium +n04414319 terra sigillata, Samian ware +n04414476 terry, terry cloth, terrycloth +n04414675 Tesla coil +n04414909 tessera +n04415257 test equipment +n04415663 test rocket, research rocket, test instrument vehicle +n04415815 test room, testing room +n04416005 testudo +n04416901 tetraskelion, tetraskele +n04417086 tetrode +n04417180 textile machine +n04417361 textile mill +n04417672 thatch, thatched roof +n04417809 theater, theatre, house +n04418357 theater curtain, theatre curtain +n04418644 theater light +n04419073 theodolite, transit +n04419642 theremin +n04419868 thermal printer +n04420024 thermal reactor +n04420720 thermocouple, thermocouple junction +n04421083 thermoelectric thermometer, thermel, electric thermometer +n04421258 thermograph, thermometrograph +n04421417 thermograph +n04421582 thermohydrometer, thermogravimeter +n04421740 thermojunction +n04421872 thermometer +n04422409 thermonuclear reactor, fusion reactor +n04422566 thermopile +n04422727 thermos, thermos bottle, thermos flask +n04422875 thermostat, thermoregulator +n04423552 thigh pad +n04423687 thill +n04423845 thimble +n04424692 thinning shears +n04425804 third base, third +n04425977 third gear, third +n04426184 third rail +n04426316 thong +n04426427 thong +n04427216 three-centered arch, basket-handle arch +n04427473 three-decker +n04427559 three-dimensional radar, 3d radar +n04427715 three-piece suit +n04427857 three-quarter binding +n04428008 three-way switch, three-point switch +n04428191 thresher, thrasher, threshing machine +n04428382 threshing floor +n04428634 thriftshop, second-hand store +n04429038 throat protector +n04429376 throne +n04430475 thrust bearing +n04430605 thruster +n04430896 thumb +n04431025 thumbhole +n04431436 thumbscrew +n04431648 thumbstall +n04431745 thumbtack, drawing pin, pushpin +n04431925 thunderer +n04432043 thwart, cross thwart +n04432203 tiara +n04432662 ticking +n04432785 tickler coil +n04433377 tie, tie beam +n04433585 tie, railroad tie, crosstie, sleeper +n04434207 tie rack +n04434531 tie rod +n04434932 tights, leotards +n04435180 tile +n04435552 tile cutter +n04435653 tile roof +n04435759 tiller +n04435870 tilter +n04436012 tilt-top table, tip-top table, tip table +n04436185 timber +n04436329 timber +n04436401 timber hitch +n04436542 timbrel +n04436832 time bomb, infernal machine +n04436992 time capsule +n04437276 time clock +n04437380 time-delay measuring instrument, time-delay measuring system +n04437670 time-fuse +n04437953 timepiece, timekeeper, horologe +n04438304 timer +n04438507 timer +n04438643 time-switch +n04438897 tin +n04439505 tinderbox +n04439585 tine +n04439712 tinfoil, tin foil +n04440597 tippet +n04440963 tire chain, snow chain +n04441093 tire iron, tire tool +n04441528 titfer +n04441662 tithe barn +n04441790 titrator +n04442312 toaster +n04442441 toaster oven +n04442582 toasting fork +n04442741 toastrack +n04443164 tobacco pouch +n04443257 tobacco shop, tobacconist shop, tobacconist +n04443433 toboggan +n04443766 toby, toby jug, toby fillpot jug +n04444121 tocsin, warning bell +n04444218 toe +n04444749 toecap +n04444953 toehold +n04445040 toga +n04445154 toga virilis +n04445327 toggle +n04445610 toggle bolt +n04445782 toggle joint +n04445952 toggle switch, toggle, on-off switch, on/off switch +n04446162 togs, threads, duds +n04446276 toilet, lavatory, lav, can, john, privy, bathroom +n04446844 toilet bag, sponge bag +n04447028 toilet bowl +n04447156 toilet kit, travel kit +n04447276 toilet powder, bath powder, dusting powder +n04447443 toiletry, toilet articles +n04447861 toilet seat +n04448070 toilet water, eau de toilette +n04448185 tokamak +n04448361 token +n04449290 tollbooth, tolbooth, tollhouse +n04449449 toll bridge +n04449550 tollgate, tollbar +n04449700 toll line +n04449966 tomahawk, hatchet +n04450133 Tommy gun, Thompson submachine gun +n04450243 tomograph +n04450465 tone arm, pickup, pickup arm +n04450640 toner +n04450749 tongs, pair of tongs +n04450994 tongue +n04451139 tongue and groove joint +n04451318 tongue depressor +n04451636 tonometer +n04451818 tool +n04452528 tool bag +n04452615 toolbox, tool chest, tool cabinet, tool case +n04452757 toolshed, toolhouse +n04452848 tooth +n04453037 tooth +n04453156 toothbrush +n04453390 toothpick +n04453666 top +n04453910 top, cover +n04454654 topgallant, topgallant mast +n04454792 topgallant, topgallant sail +n04454908 topiary +n04455048 topknot +n04455250 topmast +n04455579 topper +n04455652 topsail +n04456011 toque +n04456115 torch +n04456472 torpedo +n04456734 torpedo +n04457157 torpedo +n04457326 torpedo boat +n04457474 torpedo-boat destroyer +n04457638 torpedo tube +n04457767 torque converter +n04457910 torque wrench +n04458201 torture chamber +n04458633 totem pole +n04458843 touch screen, touchscreen +n04459018 toupee, toupe +n04459122 touring car, phaeton, tourer +n04459243 tourist class, third class +n04459362 towel +n04459610 toweling, towelling +n04459773 towel rack, towel horse +n04459909 towel rail, towel bar +n04460130 tower +n04461437 town hall +n04461570 towpath, towing path +n04461696 tow truck, tow car, wrecker +n04461879 toy +n04462011 toy box, toy chest +n04462240 toyshop +n04462576 trace detector +n04463679 track, rail, rails, runway +n04464125 track +n04464615 trackball +n04464852 tracked vehicle +n04465050 tract house +n04465203 tract housing +n04465358 traction engine +n04465501 tractor +n04465666 tractor +n04466871 trail bike, dirt bike, scrambler +n04467099 trailer, house trailer +n04467307 trailer +n04467506 trailer camp, trailer park +n04467665 trailer truck, tractor trailer, trucking rig, rig, articulated lorry, semi +n04467899 trailing edge +n04468005 train, railroad train +n04469003 tramline, tramway, streetcar track +n04469251 trammel +n04469514 trampoline +n04469684 tramp steamer, tramp +n04469813 tramway, tram, aerial tramway, cable tramway, ropeway +n04470741 transdermal patch, skin patch +n04471148 transept +n04471315 transformer +n04471632 transistor, junction transistor, electronic transistor +n04471912 transit instrument +n04472243 transmission, transmission system +n04472563 transmission shaft +n04472726 transmitter, sender +n04472961 transom, traverse +n04473108 transom, transom window, fanlight +n04473275 transponder +n04473884 transporter +n04474035 transporter, car transporter +n04474187 transport ship +n04474466 trap +n04475309 trap door +n04475411 trapeze +n04475496 trave, traverse, crossbeam, crosspiece +n04475631 travel iron +n04475749 trawl, dragnet, trawl net +n04475900 trawl, trawl line, spiller, setline, trotline +n04476116 trawler, dragger +n04476259 tray +n04476526 tray cloth +n04476831 tread +n04476972 tread +n04477219 treadmill, treadwheel, tread-wheel +n04477387 treadmill +n04477548 treasure chest +n04477725 treasure ship +n04478066 treenail, trenail, trunnel +n04478383 trefoil arch +n04478512 trellis, treillage +n04478657 trench +n04479046 trench coat +n04479287 trench knife +n04479405 trepan +n04479526 trepan, trephine +n04479694 trestle +n04479823 trestle +n04479939 trestle bridge +n04480033 trestle table +n04480141 trestlework +n04480303 trews +n04480527 trial balloon +n04480853 triangle +n04480995 triangle +n04481524 triclinium +n04481642 triclinium +n04482177 tricorn, tricorne +n04482297 tricot +n04482393 tricycle, trike, velocipede +n04482975 trident +n04483073 trigger +n04483307 trimaran +n04483925 trimmer +n04484024 trimmer arch +n04484432 triode +n04485082 tripod +n04485423 triptych +n04485586 trip wire +n04485750 trireme +n04485884 triskelion, triskele +n04486054 triumphal arch +n04486213 trivet +n04486322 trivet +n04486616 troika +n04486934 troll +n04487081 trolleybus, trolley coach, trackless trolley +n04487394 trombone +n04487724 troop carrier, troop transport +n04487894 troopship +n04488202 trophy case +n04488427 trough +n04488530 trouser +n04488742 trouser cuff +n04488857 trouser press, pants presser +n04489008 trouser, pant +n04489695 trousseau +n04489817 trowel +n04490091 truck, motortruck +n04491312 trumpet arch +n04491388 truncheon, nightstick, baton, billy, billystick, billy club +n04491638 trundle bed, trundle, truckle bed, truckle +n04491769 trunk +n04491934 trunk hose +n04492060 trunk lid +n04492157 trunk line +n04492375 truss +n04492749 truss bridge +n04493109 try square +n04493259 T-square +n04493381 tub, vat +n04494204 tube, vacuum tube, thermionic vacuum tube, thermionic tube, electron tube, thermionic valve +n04495051 tuck box +n04495183 tucker +n04495310 tucker-bag +n04495450 tuck shop +n04495555 Tudor arch, four-centered arch +n04495698 tudung +n04495843 tugboat, tug, towboat, tower +n04496614 tulle +n04496726 tumble-dryer, tumble drier +n04496872 tumbler +n04497249 tumbrel, tumbril +n04497442 tun +n04497570 tunic +n04497801 tuning fork +n04498275 tupik, tupek, sealskin tent +n04498389 turban +n04498523 turbine +n04498873 turbogenerator +n04499062 tureen +n04499300 Turkish bath +n04499446 Turkish towel, terry towel +n04499554 Turk's head +n04499810 turnbuckle +n04500060 turner, food turner +n04500390 turnery +n04501127 turnpike +n04501281 turnspit +n04501370 turnstile +n04501550 turntable +n04501837 turntable, lazy Susan +n04501947 turret +n04502059 turret clock +n04502197 turtleneck, turtle, polo-neck +n04502502 tweed +n04502670 tweeter +n04502851 twenty-two, .22 +n04502989 twenty-two pistol +n04503073 twenty-two rifle +n04503155 twill +n04503269 twill, twill weave +n04503413 twin bed +n04503499 twinjet +n04503593 twist bit, twist drill +n04503705 two-by-four +n04504038 two-man tent +n04504141 two-piece, two-piece suit, lounge suit +n04504770 typesetting machine +n04505036 typewriter +n04505345 typewriter carriage +n04505470 typewriter keyboard +n04505888 tyrolean, tirolean +n04506289 uke, ukulele +n04506402 ulster +n04506506 ultracentrifuge +n04506688 ultramicroscope, dark-field microscope +n04506895 Ultrasuede +n04506994 ultraviolet lamp, ultraviolet source +n04507155 umbrella +n04507326 umbrella tent +n04507453 undercarriage +n04507689 undercoat, underseal +n04508163 undergarment, unmentionable +n04508489 underpants +n04508949 underwear, underclothes, underclothing +n04509171 undies +n04509260 uneven parallel bars, uneven bars +n04509417 unicycle, monocycle +n04509592 uniform +n04510706 universal joint, universal +n04511002 university +n04513827 upholstery +n04513998 upholstery material +n04514095 upholstery needle +n04514241 uplift +n04514648 upper berth, upper +n04515003 upright, upright piano +n04515444 upset, swage +n04515729 upstairs +n04515890 urceole +n04516116 urn +n04516214 urn +n04516354 used-car, secondhand car +n04516672 utensil +n04517211 Uzi +n04517408 vacation home +n04517823 vacuum, vacuum cleaner +n04517999 vacuum chamber +n04518132 vacuum flask, vacuum bottle +n04518343 vacuum gauge, vacuum gage +n04518643 Valenciennes, Valenciennes lace +n04518764 valise +n04519153 valve +n04519536 valve +n04519728 valve-in-head engine +n04519887 vambrace, lower cannon +n04520170 van +n04520382 van, caravan +n04520784 vane +n04520962 vaporizer, vaporiser +n04521571 variable-pitch propeller +n04521863 variometer +n04521987 varnish +n04522168 vase +n04523525 vault +n04523831 vault, bank vault +n04524142 vaulting horse, long horse, buck +n04524313 vehicle +n04524594 Velcro +n04524716 velocipede +n04524941 velour, velours +n04525038 velvet +n04525191 velveteen +n04525305 vending machine +n04525417 veneer, veneering +n04525584 Venetian blind +n04525821 Venn diagram, Venn's diagram +n04526520 ventilation, ventilation system, ventilating system +n04526800 ventilation shaft +n04526964 ventilator +n04527648 veranda, verandah, gallery +n04528079 verdigris +n04528968 vernier caliper, vernier micrometer +n04529108 vernier scale, vernier +n04529681 vertical file +n04529962 vertical stabilizer, vertical stabiliser, vertical fin, tail fin, tailfin +n04530283 vertical tail +n04530456 Very pistol, Verey pistol +n04530566 vessel, watercraft +n04531098 vessel +n04531873 vest, waistcoat +n04532022 vestiture +n04532106 vestment +n04532398 vest pocket +n04532504 vestry, sacristy +n04532670 viaduct +n04532831 vibraphone, vibraharp, vibes +n04533042 vibrator +n04533199 vibrator +n04533499 Victrola +n04533594 vicuna +n04533700 videocassette +n04533802 videocassette recorder, VCR +n04533946 videodisk, videodisc, DVD +n04534127 video recording, video +n04534359 videotape +n04534520 videotape +n04534895 vigil light, vigil candle +n04535252 villa +n04535370 villa +n04535524 villa +n04536153 viol +n04536335 viola +n04536465 viola da braccio +n04536595 viola da gamba, gamba, bass viol +n04536765 viola d'amore +n04536866 violin, fiddle +n04537436 virginal, pair of virginals +n04538249 viscometer, viscosimeter +n04538403 viscose rayon, viscose +n04538552 vise, bench vise +n04538878 visor, vizor +n04539053 visual display unit, VDU +n04539203 vivarium +n04539407 Viyella +n04539794 voile +n04540053 volleyball +n04540255 volleyball net +n04540397 voltage regulator +n04540761 voltaic cell, galvanic cell, primary cell +n04541136 voltaic pile, pile, galvanic pile +n04541320 voltmeter +n04541662 vomitory +n04541777 von Neumann machine +n04541987 voting booth +n04542095 voting machine +n04542329 voussoir +n04542474 vox angelica, voix celeste +n04542595 vox humana +n04542715 waders +n04542858 wading pool +n04542943 waffle iron +n04543158 wagon, waggon +n04543509 wagon, coaster wagon +n04543636 wagon tire +n04543772 wagon wheel +n04543924 wain +n04543996 wainscot, wainscoting, wainscotting +n04544325 wainscoting, wainscotting +n04544450 waist pack, belt bag +n04545305 walker, baby-walker, go-cart +n04545471 walker, Zimmer, Zimmer frame +n04545748 walker +n04545858 walkie-talkie, walky-talky +n04545984 walk-in +n04546081 walking shoe +n04546194 walking stick +n04546340 Walkman +n04546595 walk-up apartment, walk-up +n04546855 wall +n04547592 wall +n04548280 wall clock +n04548362 wallet, billfold, notecase, pocketbook +n04549028 wall tent +n04549122 wall unit +n04549629 wand +n04549721 Wankel engine, Wankel rotary engine, epitrochoidal engine +n04549919 ward, hospital ward +n04550184 wardrobe, closet, press +n04550676 wardroom +n04551055 warehouse, storage warehouse +n04551833 warming pan +n04552097 war paint +n04552348 warplane, military plane +n04552551 war room +n04552696 warship, war vessel, combat ship +n04553389 wash +n04553561 wash-and-wear +n04553703 washbasin, handbasin, washbowl, lavabo, wash-hand basin +n04554211 washboard, splashboard +n04554406 washboard +n04554684 washer, automatic washer, washing machine +n04554871 washer +n04554998 washhouse +n04555291 washroom +n04555400 washstand, wash-hand stand +n04555600 washtub +n04555700 wastepaper basket, waste-paper basket, wastebasket, waste basket, circular file +n04555897 watch, ticker +n04556408 watch cap +n04556533 watch case +n04556664 watch glass +n04556948 watchtower +n04557308 water-base paint +n04557522 water bed +n04557648 water bottle +n04557751 water butt +n04558059 water cart +n04558199 water chute +n04558478 water closet, closet, W.C., loo +n04558804 watercolor, water-color, watercolour, water-colour +n04559023 water-cooled reactor +n04559166 water cooler +n04559451 water faucet, water tap, tap, hydrant +n04559620 water filter +n04559730 water gauge, water gage, water glass +n04559910 water glass +n04559994 water hazard +n04560113 water heater, hot-water heater, hot-water tank +n04560292 watering can, watering pot +n04560502 watering cart +n04560619 water jacket +n04560804 water jug +n04560882 water jump +n04561010 water level +n04561287 water meter +n04561422 water mill +n04561734 waterproof +n04561857 waterproofing +n04561965 water pump +n04562122 water scooter, sea scooter, scooter +n04562262 water ski +n04562496 waterspout +n04562935 water tower +n04563020 water wagon, water waggon +n04563204 waterwheel, water wheel +n04563413 waterwheel, water wheel +n04563560 water wings +n04563790 waterworks +n04564278 wattmeter +n04564581 waxwork, wax figure +n04565039 ways, shipway, slipway +n04565375 weapon, arm, weapon system +n04566257 weaponry, arms, implements of war, weapons system, munition +n04566561 weapons carrier +n04566756 weathercock +n04567098 weatherglass +n04567593 weather satellite, meteorological satellite +n04567746 weather ship +n04568069 weathervane, weather vane, vane, wind vane +n04568557 web, entanglement +n04568713 web +n04568841 webbing +n04569063 webcam +n04569520 wedge +n04569822 wedge +n04570118 wedgie +n04570214 Wedgwood +n04570416 weeder, weed-whacker +n04570532 weeds, widow's weeds +n04570815 weekender +n04570958 weighbridge +n04571292 weight, free weight, exercising weight +n04571566 weir +n04571686 weir +n04571800 welcome wagon +n04571958 weld +n04572121 welder's mask +n04572235 weldment +n04572935 well +n04573045 wellhead +n04573281 welt +n04573379 Weston cell, cadmium cell +n04573513 wet bar +n04573625 wet-bulb thermometer +n04573832 wet cell +n04573937 wet fly +n04574067 wet suit +n04574348 whaleboat +n04574471 whaler, whaling ship +n04574606 whaling gun +n04574999 wheel +n04575723 wheel +n04575824 wheel and axle +n04576002 wheelchair +n04576211 wheeled vehicle +n04576971 wheelwork +n04577139 wherry +n04577293 wherry, Norfolk wherry +n04577426 whetstone +n04577567 whiffletree, whippletree, swingletree +n04577769 whip +n04578112 whipcord +n04578329 whipping post +n04578559 whipstitch, whipping, whipstitching +n04578708 whirler +n04578801 whisk, whisk broom +n04578934 whisk +n04579056 whiskey bottle +n04579145 whiskey jug +n04579230 whispering gallery, whispering dome +n04579432 whistle +n04579667 whistle +n04579986 white +n04580493 white goods +n04581102 whitewash +n04581595 whorehouse, brothel, bordello, bagnio, house of prostitution, house of ill repute, bawdyhouse, cathouse, sporting house +n04581829 wick, taper +n04582205 wicker, wickerwork, caning +n04582349 wicker basket +n04582771 wicket, hoop +n04582869 wicket +n04583022 wickiup, wikiup +n04583212 wide-angle lens, fisheye lens +n04583620 widebody aircraft, wide-body aircraft, wide-body, twin-aisle airplane +n04583888 wide wale +n04583967 widow's walk +n04584056 Wiffle, Wiffle Ball +n04584207 wig +n04584373 wigwam +n04585128 Wilton, Wilton carpet +n04585318 wimple +n04585456 wincey +n04585626 winceyette +n04585745 winch, windlass +n04585980 Winchester +n04586072 windbreak, shelterbelt +n04586581 winder, key +n04586932 wind instrument, wind +n04587327 windjammer +n04587404 windmill, aerogenerator, wind generator +n04587559 windmill +n04587648 window +n04588739 window +n04589190 window blind +n04589325 window box +n04589434 window envelope +n04589593 window frame +n04589890 window screen +n04590021 window seat +n04590129 window shade +n04590263 windowsill +n04590553 windshield, windscreen +n04590746 windshield wiper, windscreen wiper, wiper, wiper blade +n04590933 Windsor chair +n04591056 Windsor knot +n04591157 Windsor tie +n04591249 wind tee +n04591359 wind tunnel +n04591517 wind turbine +n04591631 wine bar +n04591713 wine bottle +n04591887 wine bucket, wine cooler +n04592005 wine cask, wine barrel +n04592099 wineglass +n04592356 winepress +n04592465 winery, wine maker +n04592596 wineskin +n04592741 wing +n04593077 wing chair +n04593185 wing nut, wing-nut, wing screw, butterfly nut, thumbnut +n04593376 wing tip +n04593524 wing tip +n04593629 winker, blinker, blinder +n04593866 wiper, wiper arm, contact arm +n04594114 wiper motor +n04594218 wire +n04594489 wire, conducting wire +n04594742 wire cloth +n04594828 wire cutter +n04594919 wire gauge, wire gage +n04595028 wireless local area network, WLAN, wireless fidelity, WiFi +n04595285 wire matrix printer, wire printer, stylus printer +n04595501 wire recorder +n04595611 wire stripper +n04595762 wirework, grillwork +n04595855 wiring +n04596116 wishing cap +n04596492 witness box, witness stand +n04596742 wok +n04596852 woman's clothing +n04597066 wood +n04597309 woodcarving +n04597400 wood chisel +n04597804 woodenware +n04597913 wooden spoon +n04598136 woodscrew +n04598318 woodshed +n04598416 wood vise, woodworking vise, shoulder vise +n04598582 woodwind, woodwind instrument, wood +n04598965 woof, weft, filling, pick +n04599124 woofer +n04599235 wool, woolen, woollen +n04600312 workbasket, workbox, workbag +n04600486 workbench, work bench, bench +n04600912 work-clothing, work-clothes +n04601041 workhouse +n04601159 workhouse +n04601938 workpiece +n04602762 workroom +n04602840 works, workings +n04602956 work-shirt +n04603399 workstation +n04603729 worktable, work table +n04603872 workwear +n04604276 World Wide Web, WWW, web +n04604644 worm fence, snake fence, snake-rail fence, Virginia fence +n04604806 worm gear +n04605057 worm wheel +n04605163 worsted +n04605321 worsted, worsted yarn +n04605446 wrap, wrapper +n04605572 wraparound +n04605726 wrapping, wrap, wrapper +n04606251 wreck +n04606574 wrench, spanner +n04607035 wrestling mat +n04607242 wringer +n04607640 wrist pad +n04607759 wrist pin, gudgeon pin +n04607869 wristwatch, wrist watch +n04607982 writing arm +n04608329 writing desk +n04608435 writing desk +n04608567 writing implement +n04608809 xerographic printer +n04608923 Xerox, xerographic copier, Xerox machine +n04609531 X-ray film +n04609651 X-ray machine +n04609811 X-ray tube +n04610013 yacht, racing yacht +n04610176 yacht chair +n04610274 yagi, Yagi aerial +n04610503 yard +n04610676 yard +n04611351 yardarm +n04611795 yard marker +n04611916 yardstick, yard measure +n04612026 yarmulke, yarmulka, yarmelke +n04612159 yashmak, yashmac +n04612257 yataghan +n04612373 yawl, dandy +n04612504 yawl +n04612840 yoke +n04613015 yoke +n04613158 yoke, coupling +n04613696 yurt +n04613939 Zamboni +n04614505 zero +n04614655 ziggurat, zikkurat, zikurat +n04614844 zill +n04615149 zip gun +n04615226 zither, cither, zithern +n04615644 zoot suit +n04682018 shading +n04950713 grain +n04950952 wood grain, woodgrain, woodiness +n04951071 graining, woodgraining +n04951186 marbleization, marbleisation, marbleizing, marbleising +n04951373 light, lightness +n04951716 aura, aureole, halo, nimbus, glory, gloriole +n04951875 sunniness +n04953296 glint +n04953678 opalescence, iridescence +n04955160 polish, gloss, glossiness, burnish +n04957356 primary color for pigments, primary colour for pigments +n04957589 primary color for light, primary colour for light +n04958634 colorlessness, colourlessness, achromatism, achromaticity +n04958865 mottle +n04959061 achromia +n04959230 shade, tint, tincture, tone +n04959672 chromatic color, chromatic colour, spectral color, spectral colour +n04960277 black, blackness, inkiness +n04960582 coal black, ebony, jet black, pitch black, sable, soot black +n04961062 alabaster +n04961331 bone, ivory, pearl, off-white +n04961691 gray, grayness, grey, greyness +n04962062 ash grey, ash gray, silver, silver grey, silver gray +n04962240 charcoal, charcoal grey, charcoal gray, oxford grey, oxford gray +n04963111 sanguine +n04963307 Turkey red, alizarine red +n04963588 crimson, ruby, deep red +n04963740 dark red +n04964001 claret +n04964799 fuschia +n04964878 maroon +n04965179 orange, orangeness +n04965451 reddish orange +n04965661 yellow, yellowness +n04966543 gamboge, lemon, lemon yellow, maize +n04966941 pale yellow, straw, wheat +n04967191 green, greenness, viridity +n04967561 greenishness +n04967674 sea green +n04967801 sage green +n04967882 bottle green +n04968056 emerald +n04968139 olive green, olive-green +n04968749 jade green, jade +n04968895 blue, blueness +n04969242 azure, cerulean, sapphire, lazuline, sky-blue +n04969540 steel blue +n04969798 greenish blue, aqua, aquamarine, turquoise, cobalt blue, peacock blue +n04969952 purplish blue, royal blue +n04970059 purple, purpleness +n04970312 Tyrian purple +n04970398 indigo +n04970470 lavender +n04970631 reddish purple, royal purple +n04970916 pink +n04971211 carnation +n04971313 rose, rosiness +n04972350 chestnut +n04972451 chocolate, coffee, deep brown, umber, burnt umber +n04972801 light brown +n04973020 tan, topaz +n04973291 beige, ecru +n04973386 reddish brown, sepia, burnt sienna, Venetian red, mahogany +n04973585 brick red +n04973669 copper, copper color +n04973816 Indian red +n04974145 puce +n04974340 olive +n04974859 ultramarine +n04975739 complementary color, complementary +n04976319 pigmentation +n04976952 complexion, skin color, skin colour +n04977412 ruddiness, rosiness +n04978561 nonsolid color, nonsolid colour, dithered color, dithered colour +n04979002 aposematic coloration, warning coloration +n04979307 cryptic coloration +n04981658 ring +n05102764 center of curvature, centre of curvature +n05218119 cadaver, corpse, stiff, clay, remains +n05233741 mandibular notch +n05235879 rib +n05238282 skin, tegument, cutis +n05239437 skin graft +n05241218 epidermal cell +n05241485 melanocyte +n05241662 prickle cell +n05242070 columnar cell, columnar epithelial cell +n05242239 spongioblast +n05242928 squamous cell +n05244421 amyloid plaque, amyloid protein plaque +n05244755 dental plaque, bacterial plaque +n05244934 macule, macula +n05245192 freckle, lentigo +n05257476 bouffant +n05257967 sausage curl +n05258051 forelock +n05258627 spit curl, kiss curl +n05259914 pigtail +n05260127 pageboy +n05260240 pompadour +n05261310 thatch +n05262422 soup-strainer, toothbrush +n05262534 mustachio, moustachio, handle-bars +n05262698 walrus mustache, walrus moustache +n05263183 stubble +n05263316 vandyke beard, vandyke +n05263448 soul patch, Attilio +n05265736 esophageal smear +n05266096 paraduodenal smear, duodenal smear +n05266879 specimen +n05278922 punctum +n05279953 glenoid fossa, glenoid cavity +n05282652 diastema +n05285623 marrow, bone marrow +n05302499 mouth, oral cavity, oral fissure, rima oris +n05314075 canthus +n05399034 milk +n05399243 mother's milk +n05399356 colostrum, foremilk +n05418717 vein, vena, venous blood vessel +n05427346 ganglion cell, gangliocyte +n05442594 X chromosome +n05447757 embryonic cell, formative cell +n05448704 myeloblast +n05448827 sideroblast +n05449196 osteocyte +n05449661 megalocyte, macrocyte +n05449959 leukocyte, leucocyte, white blood cell, white cell, white blood corpuscle, white corpuscle, WBC +n05450617 histiocyte +n05451099 fixed phagocyte +n05451384 lymphocyte, lymph cell +n05453412 monoblast +n05453657 neutrophil, neutrophile +n05453815 microphage +n05454833 sickle cell +n05454978 siderocyte +n05455113 spherocyte +n05458173 ootid +n05458576 oocyte +n05459101 spermatid +n05459457 Leydig cell, Leydig's cell +n05459769 striated muscle cell, striated muscle fiber +n05460759 smooth muscle cell +n05464534 Ranvier's nodes, nodes of Ranvier +n05467054 neuroglia, glia +n05467758 astrocyte +n05468098 protoplasmic astrocyte +n05468739 oligodendrocyte +n05469664 proprioceptor +n05469861 dendrite +n05475397 sensory fiber, afferent fiber +n05482922 subarachnoid space +n05486510 cerebral cortex, cerebral mantle, pallium, cortex +n05491154 renal cortex +n05526957 prepuce, foreskin +n05538625 head, caput +n05539947 scalp +n05541509 frontal eminence +n05542893 suture, sutura, fibrous joint +n05545879 foramen magnum +n05571341 esophagogastric junction, oesophagogastric junction +n05578095 heel +n05581932 cuticle +n05584746 hangnail, agnail +n05586759 exoskeleton +n05604434 abdominal wall +n05716342 lemon +n06008896 coordinate axis +n06209940 landscape +n06254669 medium +n06255081 vehicle +n06255613 paper +n06259898 channel, transmission channel +n06262567 film, cinema, celluloid +n06262943 silver screen +n06263202 free press +n06263369 press, public press +n06263609 print media +n06263762 storage medium, data-storage medium +n06263895 magnetic storage medium, magnetic medium, magnetic storage +n06266417 journalism, news media +n06266633 Fleet Street +n06266710 photojournalism +n06266878 news photography +n06266973 rotogravure +n06267145 newspaper, paper +n06267564 daily +n06267655 gazette +n06267758 school newspaper, school paper +n06267893 tabloid, rag, sheet +n06267991 yellow journalism, tabloid, tab +n06271778 telecommunication, telecom +n06272290 telephone, telephony +n06272612 voice mail, voicemail +n06272803 call, phone call, telephone call +n06273207 call-back +n06273294 collect call +n06273414 call forwarding +n06273555 call-in +n06273743 call waiting +n06273890 crank call +n06273986 local call +n06274092 long distance, long-distance call, trunk call +n06274292 toll call +n06274546 wake-up call +n06274760 three-way calling +n06274921 telegraphy +n06275095 cable, cablegram, overseas telegram +n06275353 wireless +n06275471 radiotelegraph, radiotelegraphy, wireless telegraphy +n06276501 radiotelephone, radiotelephony, wireless telephone +n06276697 broadcasting +n06276902 Rediffusion +n06277025 multiplex +n06277135 radio, radiocommunication, wireless +n06277280 television, telecasting, TV, video +n06278338 cable television, cable +n06278475 high-definition television, HDTV +n06281040 reception +n06281175 signal detection, detection +n06340977 Hakham +n06359193 web site, website, internet site, site +n06359467 chat room, chatroom +n06359657 portal site, portal +n06415688 jotter +n06417096 breviary +n06418693 wordbook +n06419354 desk dictionary, collegiate dictionary +n06423496 reckoner, ready reckoner +n06470073 document, written document, papers +n06591815 album, record album +n06592078 concept album +n06592281 rock opera +n06592421 tribute album, benefit album +n06595351 magazine, mag +n06596179 colour supplement +n06596364 comic book +n06596474 news magazine +n06596607 pulp, pulp magazine +n06596727 slick, slick magazine, glossy +n06596845 trade magazine +n06613686 movie, film, picture, moving picture, moving-picture show, motion picture, motion-picture show, picture show, pic, flick +n06614901 outtake +n06616216 shoot-'em-up +n06618653 spaghetti Western +n06625062 encyclical, encyclical letter +n06785654 crossword puzzle, crossword +n06793231 sign +n06794110 street sign +n06874185 traffic light, traffic signal, stoplight +n06883725 swastika, Hakenkreuz +n06892775 concert +n06998748 artwork, art, graphics, nontextual matter +n07005523 lobe +n07248320 book jacket, dust cover, dust jacket, dust wrapper +n07273802 cairn +n07461050 three-day event +n07556406 comfort food +n07556637 comestible, edible, eatable, pabulum, victual, victuals +n07556872 tuck +n07556970 course +n07557165 dainty, delicacy, goody, kickshaw, treat +n07557434 dish +n07560193 fast food +n07560331 finger food +n07560422 ingesta +n07560542 kosher +n07560652 fare +n07560903 diet +n07561112 diet +n07561590 dietary +n07561848 balanced diet +n07562017 bland diet, ulcer diet +n07562172 clear liquid diet +n07562379 diabetic diet +n07562495 dietary supplement +n07562651 carbohydrate loading, carbo loading +n07562881 fad diet +n07562984 gluten-free diet +n07563207 high-protein diet +n07563366 high-vitamin diet, vitamin-deficiency diet +n07563642 light diet +n07563800 liquid diet +n07564008 low-calorie diet +n07564101 low-fat diet +n07564292 low-sodium diet, low-salt diet, salt-free diet +n07564515 macrobiotic diet +n07564629 reducing diet, obesity diet +n07564796 soft diet, pap, spoon food +n07564971 vegetarianism +n07565083 menu +n07565161 chow, chuck, eats, grub +n07565259 board, table +n07565608 mess +n07565725 ration +n07565945 field ration +n07566092 K ration +n07566231 C-ration +n07566340 foodstuff, food product +n07566863 starches +n07567039 breadstuff +n07567139 coloring, colouring, food coloring, food colouring, food color, food colour +n07567390 concentrate +n07567611 tomato concentrate +n07567707 meal +n07567980 kibble +n07568095 cornmeal, Indian meal +n07568241 farina +n07568389 matzo meal, matzoh meal, matzah meal +n07568502 oatmeal, rolled oats +n07568625 pea flour +n07568818 roughage, fiber +n07568991 bran +n07569106 flour +n07569423 plain flour +n07569543 wheat flour +n07569644 whole wheat flour, graham flour, graham, whole meal flour +n07569873 soybean meal, soybean flour, soy flour +n07570021 semolina +n07570530 corn gluten feed +n07570720 nutriment, nourishment, nutrition, sustenance, aliment, alimentation, victuals +n07572353 commissariat, provisions, provender, viands, victuals +n07572616 larder +n07572858 frozen food, frozen foods +n07572957 canned food, canned foods, canned goods, tinned goods +n07573103 canned meat, tinned meat +n07573347 Spam +n07573453 dehydrated food, dehydrated foods +n07573563 square meal +n07573696 meal, repast +n07574176 potluck +n07574426 refection +n07574504 refreshment +n07574602 breakfast +n07574780 continental breakfast, petit dejeuner +n07574923 brunch +n07575076 lunch, luncheon, tiffin, dejeuner +n07575226 business lunch +n07575392 high tea +n07575510 tea, afternoon tea, teatime +n07575726 dinner +n07575984 supper +n07576182 buffet +n07576438 picnic +n07576577 cookout +n07576781 barbecue, barbeque +n07576969 clambake +n07577144 fish fry +n07577374 bite, collation, snack +n07577538 nosh +n07577657 nosh-up +n07577772 ploughman's lunch +n07577918 coffee break, tea break +n07578093 banquet, feast, spread +n07579575 entree, main course +n07579688 piece de resistance +n07579787 plate +n07579917 adobo +n07580053 side dish, side order, entremets +n07580253 special +n07580359 casserole +n07580470 chicken casserole +n07580592 chicken cacciatore, chicken cacciatora, hunter's chicken +n07581249 antipasto +n07581346 appetizer, appetiser, starter +n07581607 canape +n07581775 cocktail +n07581931 fruit cocktail +n07582027 crab cocktail +n07582152 shrimp cocktail +n07582277 hors d'oeuvre +n07582441 relish +n07582609 dip +n07582811 bean dip +n07582892 cheese dip +n07582970 clam dip +n07583066 guacamole +n07583197 soup +n07583865 soup du jour +n07583978 alphabet soup +n07584110 consomme +n07584228 madrilene +n07584332 bisque +n07584423 borsch, borsh, borscht, borsht, borshch, bortsch +n07584593 broth +n07584859 barley water +n07584938 bouillon +n07585015 beef broth, beef stock +n07585107 chicken broth, chicken stock +n07585208 broth, stock +n07585474 stock cube +n07585557 chicken soup +n07585644 cock-a-leekie, cocky-leeky +n07585758 gazpacho +n07585906 gumbo +n07585997 julienne +n07586099 marmite +n07586179 mock turtle soup +n07586318 mulligatawny +n07586485 oxtail soup +n07586604 pea soup +n07586718 pepper pot, Philadelphia pepper pot +n07586894 petite marmite, minestrone, vegetable soup +n07587023 potage, pottage +n07587111 pottage +n07587206 turtle soup, green turtle soup +n07587331 eggdrop soup +n07587441 chowder +n07587618 corn chowder +n07587700 clam chowder +n07587819 Manhattan clam chowder +n07587962 New England clam chowder +n07588111 fish chowder +n07588193 won ton, wonton, wonton soup +n07588299 split-pea soup +n07588419 green pea soup, potage St. Germain +n07588574 lentil soup +n07588688 Scotch broth +n07588817 vichyssoise +n07588947 stew +n07589458 bigos +n07589543 Brunswick stew +n07589724 burgoo +n07589872 burgoo +n07589967 olla podrida, Spanish burgoo +n07590068 mulligan stew, mulligan, Irish burgoo +n07590177 purloo, chicken purloo, poilu +n07590320 goulash, Hungarian goulash, gulyas +n07590502 hotchpotch +n07590611 hot pot, hotpot +n07590752 beef goulash +n07590841 pork-and-veal goulash +n07590974 porkholt +n07591049 Irish stew +n07591162 oyster stew +n07591236 lobster stew +n07591330 lobscouse, lobscuse, scouse +n07591473 fish stew +n07591586 bouillabaisse +n07591813 matelote +n07591961 paella +n07592094 fricassee +n07592317 chicken stew +n07592400 turkey stew +n07592481 beef stew +n07592656 ragout +n07592768 ratatouille +n07592922 salmi +n07593004 pot-au-feu +n07593107 slumgullion +n07593199 smorgasbord +n07593471 viand +n07593774 ready-mix +n07593972 brownie mix +n07594066 cake mix +n07594155 lemonade mix +n07594250 self-rising flour, self-raising flour +n07594737 choice morsel, tidbit, titbit +n07594840 savory, savoury +n07595051 calf's-foot jelly +n07595180 caramel, caramelized sugar +n07595368 lump sugar +n07595649 cane sugar +n07595751 castor sugar, caster sugar +n07595914 powdered sugar +n07596046 granulated sugar +n07596160 icing sugar +n07596362 corn sugar +n07596452 brown sugar +n07596566 demerara, demerara sugar +n07596684 sweet, confection +n07596967 confectionery +n07597145 confiture +n07597263 sweetmeat +n07597365 candy, confect +n07598256 candy bar +n07598529 carob bar +n07598622 hardbake +n07598734 hard candy +n07598928 barley-sugar, barley candy +n07599068 brandyball +n07599161 jawbreaker +n07599242 lemon drop +n07599383 sourball +n07599468 patty +n07599554 peppermint patty +n07599649 bonbon +n07599783 brittle, toffee, toffy +n07599911 peanut brittle +n07599998 chewing gum, gum +n07600177 gum ball +n07600285 bubble gum +n07600394 butterscotch +n07600506 candied fruit, succade, crystallized fruit +n07600696 candied apple, candy apple, taffy apple, caramel apple, toffee apple +n07600895 crystallized ginger +n07601025 grapefruit peel +n07601175 lemon peel +n07601290 orange peel +n07601407 candied citrus peel +n07601572 candy cane +n07601686 candy corn +n07601809 caramel +n07602650 center, centre +n07604956 comfit +n07605040 cotton candy, spun sugar, candyfloss +n07605198 dragee +n07605282 dragee +n07605380 fondant +n07605474 fudge +n07605597 chocolate fudge +n07605693 divinity, divinity fudge +n07605804 penuche, penoche, panoche, panocha +n07605944 gumdrop +n07606058 jujube +n07606191 honey crisp +n07606278 mint, mint candy +n07606419 horehound +n07606538 peppermint, peppermint candy +n07606669 jelly bean, jelly egg +n07606764 kiss, candy kiss +n07606933 molasses kiss +n07607027 meringue kiss +n07607138 chocolate kiss +n07607361 licorice, liquorice +n07607492 Life Saver +n07607605 lollipop, sucker, all-day sucker +n07607707 lozenge +n07607832 cachou +n07607967 cough drop, troche, pastille, pastil +n07608098 marshmallow +n07608245 marzipan, marchpane +n07608339 nougat +n07608429 nougat bar +n07608533 nut bar +n07608641 peanut bar +n07608721 popcorn ball +n07608866 praline +n07608980 rock candy +n07609083 rock candy, rock +n07609215 sugar candy +n07609316 sugarplum +n07609407 taffy +n07609549 molasses taffy +n07609632 truffle, chocolate truffle +n07609728 Turkish Delight +n07609840 dessert, sweet, afters +n07610295 ambrosia, nectar +n07610502 ambrosia +n07610620 baked Alaska +n07610746 blancmange +n07610890 charlotte +n07611046 compote, fruit compote +n07611148 dumpling +n07611267 flan +n07611358 frozen dessert +n07611733 junket +n07611839 mousse +n07611991 mousse +n07612137 pavlova +n07612273 peach melba +n07612367 whip +n07612530 prune whip +n07612632 pudding +n07612996 pudding, pud +n07613158 syllabub, sillabub +n07613266 tiramisu +n07613480 trifle +n07613671 tipsy cake +n07613815 jello, Jell-O +n07614103 apple dumpling +n07614198 ice, frappe +n07614348 water ice, sorbet +n07614500 ice cream, icecream +n07614730 ice-cream cone +n07614825 chocolate ice cream +n07615052 Neapolitan ice cream +n07615190 peach ice cream +n07615289 sherbert, sherbet +n07615460 strawberry ice cream +n07615569 tutti-frutti +n07615671 vanilla ice cream +n07615774 ice lolly, lolly, lollipop, popsicle +n07615954 ice milk +n07616046 frozen yogurt +n07616174 snowball +n07616265 snowball +n07616386 parfait +n07616487 ice-cream sundae, sundae +n07616590 split +n07616748 banana split +n07616906 frozen pudding +n07617051 frozen custard, soft ice cream +n07617188 pudding +n07617344 flummery +n07617447 fish mousse +n07617526 chicken mousse +n07617611 chocolate mousse +n07617708 plum pudding, Christmas pudding +n07617839 carrot pudding +n07617932 corn pudding +n07618029 steamed pudding +n07618119 duff, plum duff +n07618281 vanilla pudding +n07618432 chocolate pudding +n07618587 brown Betty +n07618684 Nesselrode, Nesselrode pudding +n07618871 pease pudding +n07619004 custard +n07619208 creme caramel +n07619301 creme anglais +n07619409 creme brulee +n07619508 fruit custard +n07619881 tapioca +n07620047 tapioca pudding +n07620145 roly-poly, roly-poly pudding +n07620327 suet pudding +n07620597 Bavarian cream +n07620689 maraschino, maraschino cherry +n07621264 nonpareil +n07621497 zabaglione, sabayon +n07621618 garnish +n07623136 pastry, pastry dough +n07624466 turnover +n07624666 apple turnover +n07624757 knish +n07624924 pirogi, piroshki, pirozhki +n07625061 samosa +n07625324 timbale +n07627931 puff paste, pate feuillete +n07628068 phyllo +n07628181 puff batter, pouf paste, pate a choux +n07631926 ice-cream cake, icebox cake +n07639069 doughnut, donut, sinker +n07641928 fish cake, fish ball +n07642361 fish stick, fish finger +n07642471 conserve, preserve, conserves, preserves +n07642742 apple butter +n07642833 chowchow +n07642933 jam +n07643026 lemon curd, lemon cheese +n07643200 strawberry jam, strawberry preserves +n07643306 jelly +n07643474 apple jelly +n07643577 crabapple jelly +n07643679 grape jelly +n07643764 marmalade +n07643891 orange marmalade +n07643981 gelatin, jelly +n07644244 gelatin dessert +n07648913 buffalo wing +n07648997 barbecued wing +n07650792 mess +n07650903 mince +n07651025 puree +n07654148 barbecue, barbeque +n07654298 biryani, biriani +n07655067 escalope de veau Orloff +n07655263 saute +n07663899 patty, cake +n07665438 veal parmesan, veal parmigiana +n07666176 veal cordon bleu +n07672914 margarine, margarin, oleo, oleomargarine, marge +n07678586 mincemeat +n07678729 stuffing, dressing +n07678953 turkey stuffing +n07679034 oyster stuffing, oyster dressing +n07679140 forcemeat, farce +n07679356 bread, breadstuff, staff of life +n07680168 anadama bread +n07680313 bap +n07680416 barmbrack +n07680517 breadstick, bread-stick +n07680655 grissino +n07680761 brown bread, Boston brown bread +n07680932 bun, roll +n07681264 tea bread +n07681355 caraway seed bread +n07681450 challah, hallah +n07681691 cinnamon bread +n07681805 cracked-wheat bread +n07681926 cracker +n07682197 crouton +n07682316 dark bread, whole wheat bread, whole meal bread, brown bread +n07682477 English muffin +n07682624 flatbread +n07682808 garlic bread +n07682952 gluten bread +n07683039 graham bread +n07683138 Host +n07683265 flatbrod +n07683360 bannock +n07683490 chapatti, chapati +n07683617 pita, pocket bread +n07683786 loaf of bread, loaf +n07684084 French loaf +n07684164 matzo, matzoh, matzah, unleavened bread +n07684289 nan, naan +n07684422 onion bread +n07684517 raisin bread +n07684600 quick bread +n07684938 banana bread +n07685031 date bread +n07685118 date-nut bread +n07685218 nut bread +n07685303 oatcake +n07685399 Irish soda bread +n07685546 skillet bread, fry bread +n07685730 rye bread +n07685918 black bread, pumpernickel +n07686021 Jewish rye bread, Jewish rye +n07686202 limpa +n07686299 Swedish rye bread, Swedish rye +n07686461 salt-rising bread +n07686634 simnel +n07686720 sour bread, sourdough bread +n07686873 toast +n07687053 wafer +n07687211 white bread, light bread +n07687381 baguet, baguette +n07687469 French bread +n07687626 Italian bread +n07687789 cornbread +n07688021 corn cake +n07688130 skillet corn bread +n07688265 ashcake, ash cake, corn tash +n07688412 hoecake +n07688624 cornpone, pone +n07688757 corn dab, corn dodger, dodger +n07688898 hush puppy, hushpuppy +n07689003 johnnycake, johnny cake, journey cake +n07689217 Shawnee cake +n07689313 spoon bread, batter bread +n07689490 cinnamon toast +n07689624 orange toast +n07689757 Melba toast +n07689842 zwieback, rusk, Brussels biscuit, twice-baked bread +n07690019 frankfurter bun, hotdog bun +n07690152 hamburger bun, hamburger roll +n07690273 muffin, gem +n07690431 bran muffin +n07690511 corn muffin +n07690585 Yorkshire pudding +n07690739 popover +n07690892 scone +n07691091 drop scone, griddlecake, Scotch pancake +n07691237 cross bun, hot cross bun +n07691539 brioche +n07691650 crescent roll, croissant +n07691758 hard roll, Vienna roll +n07691863 soft roll +n07691954 kaiser roll +n07692114 Parker House roll +n07692248 clover-leaf roll +n07692405 onion roll +n07692517 bialy, bialystoker +n07692614 sweet roll, coffee roll +n07692887 bear claw, bear paw +n07693048 cinnamon roll, cinnamon bun, cinnamon snail +n07693223 honey bun, sticky bun, caramel bun, schnecken +n07693439 pinwheel roll +n07693590 danish, danish pastry +n07693725 bagel, beigel +n07693889 onion bagel +n07693972 biscuit +n07694169 rolled biscuit +n07694403 baking-powder biscuit +n07694516 buttermilk biscuit, soda biscuit +n07694659 shortcake +n07694839 hardtack, pilot biscuit, pilot bread, sea biscuit, ship biscuit +n07695187 saltine +n07695284 soda cracker +n07695410 oyster cracker +n07695504 water biscuit +n07695652 graham cracker +n07695742 pretzel +n07695878 soft pretzel +n07695965 sandwich +n07696403 sandwich plate +n07696527 butty +n07696625 ham sandwich +n07696728 chicken sandwich +n07696839 club sandwich, three-decker, triple-decker +n07696977 open-face sandwich, open sandwich +n07697100 hamburger, beefburger, burger +n07697313 cheeseburger +n07697408 tunaburger +n07697537 hotdog, hot dog, red hot +n07697699 Sloppy Joe +n07697825 bomber, grinder, hero, hero sandwich, hoagie, hoagy, Cuban sandwich, Italian sandwich, poor boy, sub, submarine, submarine sandwich, torpedo, wedge, zep +n07698250 gyro +n07698401 bacon-lettuce-tomato sandwich, BLT +n07698543 Reuben +n07698672 western, western sandwich +n07698782 wrap +n07700003 spaghetti +n07703889 hasty pudding +n07704054 gruel +n07704205 congee, jook +n07704305 skilly +n07705931 edible fruit +n07707451 vegetable, veggie, veg +n07708124 julienne, julienne vegetable +n07708398 raw vegetable, rabbit food +n07708512 crudites +n07708685 celery stick +n07708798 legume +n07709046 pulse +n07709172 potherb +n07709333 greens, green, leafy vegetable +n07709701 chop-suey greens +n07709881 bean curd, tofu +n07710007 solanaceous vegetable +n07710283 root vegetable +n07710616 potato, white potato, Irish potato, murphy, spud, tater +n07710952 baked potato +n07711080 french fries, french-fried potatoes, fries, chips +n07711232 home fries, home-fried potatoes +n07711371 jacket potato +n07711569 mashed potato +n07711683 potato skin, potato peel, potato peelings +n07711799 Uruguay potato +n07711907 yam +n07712063 sweet potato +n07712267 yam +n07712382 snack food +n07712559 chip, crisp, potato chip, Saratoga chip +n07712748 corn chip +n07712856 tortilla chip +n07712959 nacho +n07713074 eggplant, aubergine, mad apple +n07713267 pieplant, rhubarb +n07713395 cruciferous vegetable +n07713763 mustard, mustard greens, leaf mustard, Indian mustard +n07713895 cabbage, chou +n07714078 kale, kail, cole +n07714188 collards, collard greens +n07714287 Chinese cabbage, celery cabbage, Chinese celery +n07714448 bok choy, bok choi +n07714571 head cabbage +n07714802 red cabbage +n07714895 savoy cabbage, savoy +n07714990 broccoli +n07715103 cauliflower +n07715221 brussels sprouts +n07715407 broccoli rabe, broccoli raab +n07715561 squash +n07715721 summer squash +n07716034 yellow squash +n07716203 crookneck, crookneck squash, summer crookneck +n07716358 zucchini, courgette +n07716504 marrow, vegetable marrow +n07716649 cocozelle +n07716750 pattypan squash +n07716906 spaghetti squash +n07717070 winter squash +n07717410 acorn squash +n07717556 butternut squash +n07717714 hubbard squash +n07717858 turban squash +n07718068 buttercup squash +n07718195 cushaw +n07718329 winter crookneck squash +n07718472 cucumber, cuke +n07718671 gherkin +n07718747 artichoke, globe artichoke +n07718920 artichoke heart +n07719058 Jerusalem artichoke, sunchoke +n07719213 asparagus +n07719330 bamboo shoot +n07719437 sprout +n07719616 bean sprout +n07719756 alfalfa sprout +n07719839 beet, beetroot +n07719980 beet green +n07720084 sugar beet +n07720185 mangel-wurzel +n07720277 chard, Swiss chard, spinach beet, leaf beet +n07720442 pepper +n07720615 sweet pepper +n07720875 bell pepper +n07721018 green pepper +n07721118 globe pepper +n07721195 pimento, pimiento +n07721325 hot pepper +n07721456 chili, chili pepper, chilli, chilly, chile +n07721678 jalapeno, jalapeno pepper +n07721833 chipotle +n07721942 cayenne, cayenne pepper +n07722052 tabasco, red pepper +n07722217 onion +n07722390 Bermuda onion +n07722485 green onion, spring onion, scallion +n07722666 Vidalia onion +n07722763 Spanish onion +n07722888 purple onion, red onion +n07723039 leek +n07723177 shallot +n07723330 salad green, salad greens +n07723559 lettuce +n07723753 butterhead lettuce +n07723968 buttercrunch +n07724078 Bibb lettuce +n07724173 Boston lettuce +n07724269 crisphead lettuce, iceberg lettuce, iceberg +n07724492 cos, cos lettuce, romaine, romaine lettuce +n07724654 leaf lettuce, loose-leaf lettuce +n07724819 celtuce +n07724943 bean, edible bean +n07725158 goa bean +n07725255 lentil +n07725376 pea +n07725531 green pea, garden pea +n07725663 marrowfat pea +n07725789 snow pea, sugar pea +n07725888 sugar snap pea +n07726009 split-pea +n07726095 chickpea, garbanzo +n07726230 cajan pea, pigeon pea, dahl +n07726386 field pea +n07726525 mushy peas +n07726672 black-eyed pea, cowpea +n07726796 common bean +n07727048 kidney bean +n07727140 navy bean, pea bean, white bean +n07727252 pinto bean +n07727377 frijole +n07727458 black bean, turtle bean +n07727578 fresh bean +n07727741 flageolet, haricot +n07727868 green bean +n07728053 snap bean, snap +n07728181 string bean +n07728284 Kentucky wonder, Kentucky wonder bean +n07728391 scarlet runner, scarlet runner bean, runner bean, English runner bean +n07728585 haricot vert, haricots verts, French bean +n07728708 wax bean, yellow bean +n07728804 shell bean +n07729000 lima bean +n07729142 Fordhooks +n07729225 sieva bean, butter bean, butterbean, civet bean +n07729384 fava bean, broad bean +n07729485 soy, soybean, soya, soya bean +n07729828 green soybean +n07729926 field soybean +n07730033 cardoon +n07730207 carrot +n07730320 carrot stick +n07730406 celery +n07730562 pascal celery, Paschal celery +n07730708 celeriac, celery root +n07730855 chicory, curly endive +n07731006 radicchio +n07731122 coffee substitute +n07731284 chicory, chicory root +n07731436 Postum +n07731587 chicory escarole, endive, escarole +n07731767 Belgian endive, French endive, witloof +n07731952 corn, edible corn +n07732168 sweet corn, green corn +n07732302 hominy +n07732433 lye hominy +n07732525 pearl hominy +n07732636 popcorn +n07732747 cress +n07732904 watercress +n07733005 garden cress +n07733124 winter cress +n07733217 dandelion green +n07733394 gumbo, okra +n07733567 kohlrabi, turnip cabbage +n07733712 lamb's-quarter, pigweed, wild spinach +n07733847 wild spinach +n07734017 tomato +n07734183 beefsteak tomato +n07734292 cherry tomato +n07734417 plum tomato +n07734555 tomatillo, husk tomato, Mexican husk tomato +n07734744 mushroom +n07734879 stuffed mushroom +n07735052 salsify +n07735179 oyster plant, vegetable oyster +n07735294 scorzonera, black salsify +n07735404 parsnip +n07735510 pumpkin +n07735687 radish +n07735803 turnip +n07735981 white turnip +n07736087 rutabaga, swede, swedish turnip, yellow turnip +n07736256 turnip greens +n07736371 sorrel, common sorrel +n07736527 French sorrel +n07736692 spinach +n07736813 taro, taro root, cocoyam, dasheen, edda +n07736971 truffle, earthnut +n07737081 edible nut +n07737594 bunya bunya +n07737745 peanut, earthnut, goober, goober pea, groundnut, monkey nut +n07738105 freestone +n07738224 cling, clingstone +n07739035 windfall +n07739125 apple +n07739344 crab apple, crabapple +n07739506 eating apple, dessert apple +n07739923 Baldwin +n07740033 Cortland +n07740115 Cox's Orange Pippin +n07740220 Delicious +n07740342 Golden Delicious, Yellow Delicious +n07740461 Red Delicious +n07740597 Empire +n07740744 Grimes' golden +n07740855 Jonathan +n07740954 McIntosh +n07741138 Macoun +n07741235 Northern Spy +n07741357 Pearmain +n07741461 Pippin +n07741623 Prima +n07741706 Stayman +n07741804 Winesap +n07741888 Stayman Winesap +n07742012 cooking apple +n07742224 Bramley's Seedling +n07742313 Granny Smith +n07742415 Lane's Prince Albert +n07742513 Newtown Wonder +n07742605 Rome Beauty +n07742704 berry +n07743224 bilberry, whortleberry, European blueberry +n07743384 huckleberry +n07743544 blueberry +n07743723 wintergreen, boxberry, checkerberry, teaberry, spiceberry +n07743902 cranberry +n07744057 lingonberry, mountain cranberry, cowberry, lowbush cranberry +n07744246 currant +n07744430 gooseberry +n07744559 black currant +n07744682 red currant +n07744811 blackberry +n07745046 boysenberry +n07745197 dewberry +n07745357 loganberry +n07745466 raspberry +n07745661 saskatoon, serviceberry, shadberry, juneberry +n07745940 strawberry +n07746038 sugarberry, hackberry +n07746186 persimmon +n07746334 acerola, barbados cherry, surinam cherry, West Indian cherry +n07746551 carambola, star fruit +n07746749 ceriman, monstera +n07746910 carissa plum, natal plum +n07747055 citrus, citrus fruit, citrous fruit +n07747607 orange +n07747811 temple orange +n07747951 mandarin, mandarin orange +n07748157 clementine +n07748276 satsuma +n07748416 tangerine +n07748574 tangelo, ugli, ugli fruit +n07748753 bitter orange, Seville orange, sour orange +n07748912 sweet orange +n07749095 Jaffa orange +n07749192 navel orange +n07749312 Valencia orange +n07749446 kumquat +n07749582 lemon +n07749731 lime +n07749870 key lime +n07749969 grapefruit +n07750146 pomelo, shaddock +n07750299 citrange +n07750449 citron +n07750586 almond +n07750736 Jordan almond +n07750872 apricot +n07751004 peach +n07751148 nectarine +n07751280 pitahaya +n07751451 plum +n07751737 damson, damson plum +n07751858 greengage, greengage plum +n07751977 beach plum +n07752109 sloe +n07752264 Victoria plum +n07752377 dried fruit +n07752514 dried apricot +n07752602 prune +n07752664 raisin +n07752782 seedless raisin, sultana +n07752874 seeded raisin +n07752966 currant +n07753113 fig +n07753275 pineapple, ananas +n07753448 anchovy pear, river pear +n07753592 banana +n07753743 passion fruit +n07753980 granadilla +n07754155 sweet calabash +n07754279 bell apple, sweet cup, water lemon, yellow granadilla +n07754451 breadfruit +n07754684 jackfruit, jak, jack +n07754894 cacao bean, cocoa bean +n07755089 cocoa +n07755262 canistel, eggfruit +n07755411 melon +n07755619 melon ball +n07755707 muskmelon, sweet melon +n07755929 cantaloup, cantaloupe +n07756096 winter melon +n07756325 honeydew, honeydew melon +n07756499 Persian melon +n07756641 net melon, netted melon, nutmeg melon +n07756838 casaba, casaba melon +n07756951 watermelon +n07757132 cherry +n07757312 sweet cherry, black cherry +n07757511 bing cherry +n07757602 heart cherry, oxheart, oxheart cherry +n07757753 blackheart, blackheart cherry +n07757874 capulin, Mexican black cherry +n07757990 sour cherry +n07758125 amarelle +n07758260 morello +n07758407 cocoa plum, coco plum, icaco +n07758582 gherkin +n07758680 grape +n07758950 fox grape +n07759194 Concord grape +n07759324 Catawba +n07759424 muscadine, bullace grape +n07759576 scuppernong +n07759691 slipskin grape +n07759816 vinifera grape +n07760070 emperor +n07760153 muscat, muscatel, muscat grape +n07760297 ribier +n07760395 sultana +n07760501 Tokay +n07760673 flame tokay +n07760755 Thompson Seedless +n07760859 custard apple +n07761141 cherimoya, cherimolla +n07761309 soursop, guanabana +n07761611 sweetsop, annon, sugar apple +n07761777 ilama +n07761954 pond apple +n07762114 papaw, pawpaw +n07762244 papaya +n07762373 kai apple +n07762534 ketembilla, kitembilla, kitambilla +n07762740 ackee, akee +n07762913 durian +n07763107 feijoa, pineapple guava +n07763290 genip, Spanish lime +n07763483 genipap, genipap fruit +n07763629 kiwi, kiwi fruit, Chinese gooseberry +n07763792 loquat, Japanese plum +n07763987 mangosteen +n07764155 mango +n07764315 sapodilla, sapodilla plum, sapota +n07764486 sapote, mammee, marmalade plum +n07764630 tamarind, tamarindo +n07764847 avocado, alligator pear, avocado pear, aguacate +n07765073 date +n07765208 elderberry +n07765361 guava +n07765517 mombin +n07765612 hog plum, yellow mombin +n07765728 hog plum, wild plum +n07765862 jaboticaba +n07765999 jujube, Chinese date, Chinese jujube +n07766173 litchi, litchi nut, litchee, lichi, leechee, lichee, lychee +n07766409 longanberry, dragon's eye +n07766530 mamey, mammee, mammee apple +n07766723 marang +n07766891 medlar +n07767002 medlar +n07767171 mulberry +n07767344 olive +n07767549 black olive, ripe olive +n07767709 green olive +n07767847 pear +n07768068 bosc +n07768139 anjou +n07768230 bartlett, bartlett pear +n07768318 seckel, seckel pear +n07768423 plantain +n07768590 plumcot +n07768694 pomegranate +n07768858 prickly pear +n07769102 Barbados gooseberry, blade apple +n07769306 quandong, quandang, quantong, native peach +n07769465 quandong nut +n07769584 quince +n07769731 rambutan, rambotan +n07769886 pulasan, pulassan +n07770034 rose apple +n07770180 sorb, sorb apple +n07770439 sour gourd, monkey bread +n07770571 edible seed +n07770763 pumpkin seed +n07770869 betel nut, areca nut +n07771082 beechnut +n07771212 walnut +n07771405 black walnut +n07771539 English walnut +n07771731 brazil nut, brazil +n07771891 butternut +n07772026 souari nut +n07772147 cashew, cashew nut +n07772274 chestnut +n07772413 chincapin, chinkapin, chinquapin +n07772788 hazelnut, filbert, cobnut, cob +n07772935 coconut, cocoanut +n07773428 coconut milk, coconut water +n07774182 grugru nut +n07774295 hickory nut +n07774479 cola extract +n07774596 macadamia nut +n07774719 pecan +n07774842 pine nut, pignolia, pinon nut +n07775050 pistachio, pistachio nut +n07775197 sunflower seed +n07783827 anchovy paste +n07785487 rollmops +n07800091 feed, provender +n07800487 cattle cake +n07800636 creep feed +n07800740 fodder +n07801007 feed grain +n07801091 eatage, forage, pasture, pasturage, grass +n07801342 silage, ensilage +n07801508 oil cake +n07801709 oil meal +n07801779 alfalfa +n07801892 broad bean, horse bean +n07802026 hay +n07802152 timothy +n07802246 stover +n07802417 grain, food grain, cereal +n07802767 grist +n07802863 groats +n07802963 millet +n07803093 barley, barleycorn +n07803213 pearl barley +n07803310 buckwheat +n07803408 bulgur, bulghur, bulgur wheat +n07803545 wheat, wheat berry +n07803779 cracked wheat +n07803895 stodge +n07803992 wheat germ +n07804152 oat +n07804323 rice +n07804543 brown rice +n07804657 white rice, polished rice +n07804771 wild rice, Indian rice +n07804900 paddy +n07805006 slop, slops, swill, pigswill, pigwash +n07805254 mash +n07805389 chicken feed, scratch +n07805478 cud, rechewed food +n07805594 bird feed, bird food, birdseed +n07805731 petfood, pet-food, pet food +n07805966 dog food +n07806043 cat food +n07806120 canary seed +n07806221 salad +n07806633 tossed salad +n07806774 green salad +n07806879 Caesar salad +n07807002 salmagundi +n07807171 salad nicoise +n07807317 combination salad +n07807472 chef's salad +n07807594 potato salad +n07807710 pasta salad +n07807834 macaroni salad +n07807922 fruit salad +n07808022 Waldorf salad +n07808166 crab Louis +n07808268 herring salad +n07808352 tuna fish salad, tuna salad +n07808479 chicken salad +n07808587 coleslaw, slaw +n07808675 aspic +n07808806 molded salad +n07808904 tabbouleh, tabooli +n07809096 ingredient, fixings +n07809368 flavorer, flavourer, flavoring, flavouring, seasoner, seasoning +n07810531 bouillon cube +n07810907 condiment +n07811416 herb +n07812046 fines herbes +n07812184 spice +n07812662 spearmint oil +n07812790 lemon oil +n07812913 wintergreen oil, oil of wintergreen +n07813107 salt, table salt, common salt +n07813324 celery salt +n07813495 onion salt +n07813579 seasoned salt +n07813717 sour salt +n07813833 five spice powder +n07814007 allspice +n07814203 cinnamon +n07814390 stick cinnamon +n07814487 clove +n07814634 cumin, cumin seed +n07814790 fennel +n07814925 ginger, gingerroot +n07815163 ginger, powdered ginger +n07815294 mace +n07815424 nutmeg +n07815588 pepper, peppercorn +n07815839 black pepper +n07815956 white pepper +n07816052 sassafras +n07816164 basil, sweet basil +n07816296 bay leaf +n07816398 borage +n07816575 hyssop +n07816726 caraway +n07816839 chervil +n07817024 chives +n07817160 comfrey, healing herb +n07817315 coriander, Chinese parsley, cilantro +n07817465 coriander, coriander seed +n07817599 costmary +n07817758 fennel, common fennel +n07817871 fennel, Florence fennel, finocchio +n07818029 fennel seed +n07818133 fenugreek, fenugreek seed +n07818277 garlic, ail +n07818422 clove, garlic clove +n07818572 garlic chive +n07818689 lemon balm +n07818825 lovage +n07818995 marjoram, oregano +n07819166 mint +n07819303 mustard seed +n07819480 mustard, table mustard +n07819682 Chinese mustard +n07819769 nasturtium +n07819896 parsley +n07820036 salad burnet +n07820145 rosemary +n07820297 rue +n07820497 sage +n07820683 clary sage +n07820814 savory, savoury +n07820960 summer savory, summer savoury +n07821107 winter savory, winter savoury +n07821260 sweet woodruff, waldmeister +n07821404 sweet cicely +n07821610 tarragon, estragon +n07821758 thyme +n07821919 turmeric +n07822053 caper +n07822197 catsup, ketchup, cetchup, tomato ketchup +n07822323 cardamom, cardamon, cardamum +n07822518 cayenne, cayenne pepper, red pepper +n07822687 chili powder +n07822845 chili sauce +n07823105 chutney, Indian relish +n07823280 steak sauce +n07823369 taco sauce +n07823460 salsa +n07823591 mint sauce +n07823698 cranberry sauce +n07823814 curry powder +n07823951 curry +n07824191 lamb curry +n07824268 duck sauce, hoisin sauce +n07824383 horseradish +n07824502 marinade +n07824702 paprika +n07824863 Spanish paprika +n07824988 pickle +n07825194 dill pickle +n07825399 bread and butter pickle +n07825496 pickle relish +n07825597 piccalilli +n07825717 sweet pickle +n07825850 applesauce, apple sauce +n07825972 soy sauce, soy +n07826091 Tabasco, Tabasco sauce +n07826250 tomato paste +n07826340 angelica +n07826453 angelica +n07826544 almond extract +n07826653 anise, aniseed, anise seed +n07826930 Chinese anise, star anise, star aniseed +n07827130 juniper berries +n07827284 saffron +n07827410 sesame seed, benniseed +n07827554 caraway seed +n07827750 poppy seed +n07827896 dill, dill weed +n07828041 dill seed +n07828156 celery seed +n07828275 lemon extract +n07828378 monosodium glutamate, MSG +n07828642 vanilla bean +n07828987 vinegar, acetum +n07829248 cider vinegar +n07829331 wine vinegar +n07829412 sauce +n07830493 anchovy sauce +n07830593 hot sauce +n07830690 hard sauce +n07830841 horseradish sauce, sauce Albert +n07830986 bolognese pasta sauce +n07831146 carbonara +n07831267 tomato sauce +n07831450 tartare sauce, tartar sauce +n07831663 wine sauce +n07831821 marchand de vin, mushroom wine sauce +n07831955 bread sauce +n07832099 plum sauce +n07832202 peach sauce +n07832307 apricot sauce +n07832416 pesto +n07832592 ravigote, ravigotte +n07832741 remoulade sauce +n07832902 dressing, salad dressing +n07833333 sauce Louis +n07833535 bleu cheese dressing, blue cheese dressing +n07833672 blue cheese dressing, Roquefort dressing +n07833816 French dressing, vinaigrette, sauce vinaigrette +n07833951 Lorenzo dressing +n07834065 anchovy dressing +n07834160 Italian dressing +n07834286 half-and-half dressing +n07834507 mayonnaise, mayo +n07834618 green mayonnaise, sauce verte +n07834774 aioli, aioli sauce, garlic sauce +n07834872 Russian dressing, Russian mayonnaise +n07835051 salad cream +n07835173 Thousand Island dressing +n07835331 barbecue sauce +n07835457 hollandaise +n07835547 bearnaise +n07835701 Bercy, Bercy butter +n07835823 bordelaise +n07835921 bourguignon, bourguignon sauce, Burgundy sauce +n07836077 brown sauce, sauce Espagnole +n07836269 Espagnole, sauce Espagnole +n07836456 Chinese brown sauce, brown sauce +n07836600 blanc +n07836731 cheese sauce +n07836838 chocolate sauce, chocolate syrup +n07837002 hot-fudge sauce, fudge sauce +n07837110 cocktail sauce, seafood sauce +n07837234 Colbert, Colbert butter +n07837362 white sauce, bechamel sauce, bechamel +n07837545 cream sauce +n07837630 Mornay sauce +n07837755 demiglace, demi-glaze +n07837912 gravy, pan gravy +n07838073 gravy +n07838233 spaghetti sauce, pasta sauce +n07838441 marinara +n07838551 mole +n07838659 hunter's sauce, sauce chausseur +n07838811 mushroom sauce +n07838905 mustard sauce +n07839055 Nantua, shrimp sauce +n07839172 Hungarian sauce, paprika sauce +n07839312 pepper sauce, Poivrade +n07839478 roux +n07839593 Smitane +n07839730 Soubise, white onion sauce +n07839864 Lyonnaise sauce, brown onion sauce +n07840027 veloute +n07840124 allemande, allemande sauce +n07840219 caper sauce +n07840304 poulette +n07840395 curry sauce +n07840520 Worcester sauce, Worcestershire, Worcestershire sauce +n07840672 coconut milk, coconut cream +n07840804 egg, eggs +n07841037 egg white, white, albumen, ovalbumin +n07841345 egg yolk, yolk +n07841495 boiled egg, coddled egg +n07841639 hard-boiled egg, hard-cooked egg +n07841800 Easter egg +n07841907 Easter egg +n07842044 chocolate egg +n07842130 candy egg +n07842202 poached egg, dropped egg +n07842308 scrambled eggs +n07842433 deviled egg, stuffed egg +n07842605 shirred egg, baked egg, egg en cocotte +n07842753 omelet, omelette +n07842972 firm omelet +n07843117 French omelet +n07843220 fluffy omelet +n07843348 western omelet +n07843464 souffle +n07843636 fried egg +n07843775 dairy product +n07844042 milk +n07844604 milk +n07844786 sour milk +n07844867 soya milk, soybean milk, soymilk +n07845087 formula +n07845166 pasteurized milk +n07845335 cows' milk +n07845421 yak's milk +n07845495 goats' milk +n07845571 acidophilus milk +n07845702 raw milk +n07845775 scalded milk +n07845863 homogenized milk +n07846014 certified milk +n07846143 powdered milk, dry milk, dried milk, milk powder +n07846274 nonfat dry milk +n07846359 evaporated milk +n07846471 condensed milk +n07846557 skim milk, skimmed milk +n07846688 semi-skimmed milk +n07846802 whole milk +n07846938 low-fat milk +n07847047 buttermilk +n07847198 cream +n07847453 clotted cream, Devonshire cream +n07847585 double creme, heavy whipping cream +n07847706 half-and-half +n07847827 heavy cream +n07847917 light cream, coffee cream, single cream +n07848093 sour cream, soured cream +n07848196 whipping cream, light whipping cream +n07848338 butter +n07848771 clarified butter, drawn butter +n07848936 ghee +n07849026 brown butter, beurre noisette +n07849186 Meuniere butter, lemon butter +n07849336 yogurt, yoghurt, yoghourt +n07849506 blueberry yogurt +n07849619 raita +n07849733 whey +n07849912 curd +n07850083 curd +n07850219 clabber +n07850329 cheese +n07851054 paring +n07851298 cream cheese +n07851443 double cream +n07851554 mascarpone +n07851641 triple cream, triple creme +n07851767 cottage cheese, pot cheese, farm cheese, farmer's cheese +n07851926 process cheese, processed cheese +n07852045 bleu, blue cheese +n07852229 Stilton +n07852302 Roquefort +n07852376 gorgonzola +n07852452 Danish blue +n07852532 Bavarian blue +n07852614 Brie +n07852712 brick cheese +n07852833 Camembert +n07852919 cheddar, cheddar cheese, Armerican cheddar, American cheese +n07853125 rat cheese, store cheese +n07853232 Cheshire cheese +n07853345 double Gloucester +n07853445 Edam +n07853560 goat cheese, chevre +n07853648 Gouda, Gouda cheese +n07853762 grated cheese +n07853852 hand cheese +n07853946 Liederkranz +n07854066 Limburger +n07854184 mozzarella +n07854266 Muenster +n07854348 Parmesan +n07854455 quark cheese, quark +n07854614 ricotta +n07854707 string cheese +n07854813 Swiss cheese +n07854982 Emmenthal, Emmental, Emmenthaler, Emmentaler +n07855105 Gruyere +n07855188 sapsago +n07855317 Velveeta +n07855413 nut butter +n07855510 peanut butter +n07855603 marshmallow fluff +n07855721 onion butter +n07855812 pimento butter +n07855907 shrimp butter +n07856045 lobster butter +n07856186 yak butter +n07856270 spread, paste +n07856756 cheese spread +n07856895 anchovy butter +n07856992 fishpaste +n07857076 garlic butter +n07857170 miso +n07857356 wasabi +n07857598 snail butter +n07857731 hummus, humus, hommos, hoummos, humous +n07857959 pate +n07858114 duck pate +n07858197 foie gras, pate de foie gras +n07858336 tapenade +n07858484 tahini +n07858595 sweetening, sweetener +n07858841 aspartame +n07858978 honey +n07859142 saccharin +n07859284 sugar, refined sugar +n07859583 syrup, sirup +n07859796 sugar syrup +n07859951 molasses +n07860103 sorghum, sorghum molasses +n07860208 treacle, golden syrup +n07860331 grenadine +n07860447 maple syrup +n07860548 corn syrup +n07860629 miraculous food, manna, manna from heaven +n07860805 batter +n07860988 dough +n07861158 bread dough +n07861247 pancake batter +n07861334 fritter batter +n07861557 coq au vin +n07861681 chicken provencale +n07861813 chicken and rice +n07861983 moo goo gai pan +n07862095 arroz con pollo +n07862244 bacon and eggs +n07862348 barbecued spareribs, spareribs +n07862461 beef Bourguignonne, boeuf Bourguignonne +n07862611 beef Wellington, filet de boeuf en croute +n07862770 bitok +n07862946 boiled dinner, New England boiled dinner +n07863107 Boston baked beans +n07863229 bubble and squeak +n07863374 pasta +n07863547 cannelloni +n07863644 carbonnade flamande, Belgian beef stew +n07863802 cheese souffle +n07863935 chicken Marengo +n07864065 chicken cordon bleu +n07864198 Maryland chicken +n07864317 chicken paprika, chicken paprikash +n07864475 chicken Tetrazzini +n07864638 Tetrazzini +n07864756 chicken Kiev +n07864934 chili, chili con carne +n07865105 chili dog +n07865196 chop suey +n07865484 chow mein +n07865575 codfish ball, codfish cake +n07865700 coquille +n07865788 coquilles Saint-Jacques +n07866015 croquette +n07866151 cottage pie +n07866277 rissole +n07866409 dolmas, stuffed grape leaves +n07866571 egg foo yong, egg fu yung +n07866723 egg roll, spring roll +n07866868 eggs Benedict +n07867021 enchilada +n07867164 falafel, felafel +n07867324 fish and chips +n07867421 fondue, fondu +n07867616 cheese fondue +n07867751 chocolate fondue +n07867883 fondue, fondu +n07868045 beef fondue, boeuf fondu bourguignon +n07868200 French toast +n07868340 fried rice, Chinese fried rice +n07868508 frittata +n07868684 frog legs +n07868830 galantine +n07868955 gefilte fish, fish ball +n07869111 haggis +n07869291 ham and eggs +n07869391 hash +n07869522 corned beef hash +n07869611 jambalaya +n07869775 kabob, kebab, shish kebab +n07869937 kedgeree +n07870069 souvlaki, souvlakia +n07870167 lasagna, lasagne +n07870313 seafood Newburg +n07870478 lobster Newburg, lobster a la Newburg +n07870620 shrimp Newburg +n07870734 Newburg sauce +n07870894 lobster thermidor +n07871065 lutefisk, lutfisk +n07871234 macaroni and cheese +n07871335 macedoine +n07871436 meatball +n07871588 porcupine ball, porcupines +n07871720 Swedish meatball +n07871810 meat loaf, meatloaf +n07872593 moussaka +n07872748 osso buco +n07873057 marrow, bone marrow +n07873198 pheasant under glass +n07873348 pigs in blankets +n07873464 pilaf, pilaff, pilau, pilaw +n07873679 bulgur pilaf +n07873807 pizza, pizza pie +n07874063 sausage pizza +n07874159 pepperoni pizza +n07874259 cheese pizza +n07874343 anchovy pizza +n07874441 Sicilian pizza +n07874531 poi +n07874674 pork and beans +n07874780 porridge +n07874995 oatmeal, burgoo +n07875086 loblolly +n07875152 potpie +n07875267 rijsttaffel, rijstaffel, rijstafel +n07875436 risotto, Italian rice +n07875560 roulade +n07875693 fish loaf +n07875835 salmon loaf +n07875926 Salisbury steak +n07876026 sauerbraten +n07876189 sauerkraut +n07876281 scallopine, scallopini +n07876460 veal scallopini +n07876550 scampi +n07876651 Scotch egg +n07876775 Scotch woodcock +n07876893 scrapple +n07877187 spaghetti and meatballs +n07877299 Spanish rice +n07877675 steak tartare, tartar steak, cannibal mound +n07877849 pepper steak +n07877961 steak au poivre, peppered steak, pepper steak +n07878145 beef Stroganoff +n07878283 stuffed cabbage +n07878479 kishke, stuffed derma +n07878647 stuffed peppers +n07878785 stuffed tomato, hot stuffed tomato +n07878926 stuffed tomato, cold stuffed tomato +n07879072 succotash +n07879174 sukiyaki +n07879350 sashimi +n07879450 sushi +n07879560 Swiss steak +n07879659 tamale +n07879821 tamale pie +n07879953 tempura +n07880080 teriyaki +n07880213 terrine +n07880325 Welsh rarebit, Welsh rabbit, rarebit +n07880458 schnitzel, Wiener schnitzel +n07880751 taco +n07880880 chicken taco +n07880968 burrito +n07881117 beef burrito +n07881205 quesadilla +n07881404 tostada +n07881525 bean tostada +n07881625 refried beans, frijoles refritos +n07881800 beverage, drink, drinkable, potable +n07882420 wish-wash +n07882497 concoction, mixture, intermixture +n07882886 mix, premix +n07883031 filling +n07883156 lekvar +n07883251 potion +n07883384 elixir +n07883510 elixir of life +n07883661 philter, philtre, love-potion, love-philter, love-philtre +n07884567 alcohol, alcoholic drink, alcoholic beverage, intoxicant, inebriant +n07885705 proof spirit +n07886057 home brew, homebrew +n07886176 hooch, hootch +n07886317 kava, kavakava +n07886463 aperitif +n07886572 brew, brewage +n07886849 beer +n07887099 draft beer, draught beer +n07887192 suds +n07887304 Munich beer, Munchener +n07887461 bock, bock beer +n07887634 lager, lager beer +n07887967 light beer +n07888058 Oktoberfest, Octoberfest +n07888229 Pilsner, Pilsener +n07888378 shebeen +n07888465 Weissbier, white beer, wheat beer +n07888816 Weizenbock +n07888909 malt +n07889193 wort +n07889274 malt, malt liquor +n07889510 ale +n07889814 bitter +n07889990 Burton +n07890068 pale ale +n07890226 porter, porter's beer +n07890352 stout +n07890540 Guinness +n07890617 kvass +n07890750 mead +n07890890 metheglin +n07890970 hydromel +n07891095 oenomel +n07891189 near beer +n07891309 ginger beer +n07891433 sake, saki, rice beer +n07891726 wine, vino +n07892418 vintage +n07892512 red wine +n07892813 white wine +n07893253 blush wine, pink wine, rose, rose wine +n07893425 altar wine, sacramental wine +n07893528 sparkling wine +n07893642 champagne, bubbly +n07893792 cold duck +n07893891 Burgundy, Burgundy wine +n07894102 Beaujolais +n07894298 Medoc +n07894451 Canary wine +n07894551 Chablis, white Burgundy +n07894703 Montrachet +n07894799 Chardonnay, Pinot Chardonnay +n07894965 Pinot noir +n07895100 Pinot blanc +n07895237 Bordeaux, Bordeaux wine +n07895435 claret, red Bordeaux +n07895595 Chianti +n07895710 Cabernet, Cabernet Sauvignon +n07895839 Merlot +n07895962 Sauvignon blanc +n07896060 California wine +n07896165 Cotes de Provence +n07896287 dessert wine +n07896422 Dubonnet +n07896560 jug wine +n07896661 macon, maconnais +n07896765 Moselle +n07896893 Muscadet +n07896994 plonk +n07897116 retsina +n07897200 Rhine wine, Rhenish, hock +n07897438 Riesling +n07897600 liebfraumilch +n07897750 Rhone wine +n07897865 Rioja +n07897975 sack +n07898117 Saint Emilion +n07898247 Soave +n07898333 zinfandel +n07898443 Sauterne, Sauternes +n07898617 straw wine +n07898745 table wine +n07898895 Tokay +n07899003 vin ordinaire +n07899108 vermouth +n07899292 sweet vermouth, Italian vermouth +n07899434 dry vermouth, French vermouth +n07899533 Chenin blanc +n07899660 Verdicchio +n07899769 Vouvray +n07899899 Yquem +n07899976 generic, generic wine +n07900225 varietal, varietal wine +n07900406 fortified wine +n07900616 Madeira +n07900734 malmsey +n07900825 port, port wine +n07900958 sherry +n07901355 Marsala +n07901457 muscat, muscatel, muscadel, muscadelle +n07901587 liquor, spirits, booze, hard drink, hard liquor, John Barleycorn, strong drink +n07902121 neutral spirits, ethyl alcohol +n07902336 aqua vitae, ardent spirits +n07902443 eau de vie +n07902520 moonshine, bootleg, corn liquor +n07902698 bathtub gin +n07902799 aquavit, akvavit +n07902937 arrack, arak +n07903101 bitters +n07903208 brandy +n07903543 applejack +n07903643 Calvados +n07903731 Armagnac +n07903841 Cognac +n07903962 grappa +n07904072 kirsch +n07904293 slivovitz +n07904395 gin +n07904637 sloe gin +n07904760 geneva, Holland gin, Hollands +n07904865 grog +n07904934 ouzo +n07905038 rum +n07905296 demerara, demerara rum +n07905386 Jamaica rum +n07905474 schnapps, schnaps +n07905618 pulque +n07905770 mescal +n07905979 tequila +n07906111 vodka +n07906284 whiskey, whisky +n07906572 blended whiskey, blended whisky +n07906718 bourbon +n07906877 corn whiskey, corn whisky, corn +n07907037 firewater +n07907161 Irish, Irish whiskey, Irish whisky +n07907342 poteen +n07907429 rye, rye whiskey, rye whisky +n07907548 Scotch, Scotch whiskey, Scotch whisky, malt whiskey, malt whisky, Scotch malt whiskey, Scotch malt whisky +n07907831 sour mash, sour mash whiskey +n07907943 liqueur, cordial +n07908411 absinth, absinthe +n07908567 amaretto +n07908647 anisette, anisette de Bordeaux +n07908812 benedictine +n07908923 Chartreuse +n07909129 coffee liqueur +n07909231 creme de cacao +n07909362 creme de menthe +n07909504 creme de fraise +n07909593 Drambuie +n07909714 Galliano +n07909811 orange liqueur +n07909954 curacao, curacoa +n07910048 triple sec +n07910152 Grand Marnier +n07910245 kummel +n07910379 maraschino, maraschino liqueur +n07910538 pastis +n07910656 Pernod +n07910799 pousse-cafe +n07910970 Kahlua +n07911061 ratafia, ratafee +n07911249 sambuca +n07911371 mixed drink +n07911677 cocktail +n07912093 Dom Pedro +n07912211 highball +n07913180 mixer +n07913300 bishop +n07913393 Bloody Mary +n07913537 Virgin Mary, bloody shame +n07913644 bullshot +n07913774 cobbler +n07913882 collins, Tom Collins +n07914006 cooler +n07914128 refresher +n07914271 smoothie +n07914413 daiquiri, rum cocktail +n07914586 strawberry daiquiri +n07914686 NADA daiquiri +n07914777 spritzer +n07914887 flip +n07914995 gimlet +n07915094 gin and tonic +n07915213 grasshopper +n07915366 Harvey Wallbanger +n07915491 julep, mint julep +n07915618 manhattan +n07915800 Rob Roy +n07915918 margarita +n07916041 martini +n07916183 gin and it +n07916319 vodka martini +n07916437 old fashioned +n07916582 pink lady +n07917133 Sazerac +n07917272 screwdriver +n07917392 sidecar +n07917507 Scotch and soda +n07917618 sling +n07917791 brandy sling +n07917874 gin sling +n07917951 rum sling +n07918028 sour +n07918193 whiskey sour, whisky sour +n07918309 stinger +n07918706 swizzle +n07918879 hot toddy, toddy +n07919165 zombie, zombi +n07919310 fizz +n07919441 Irish coffee +n07919572 cafe au lait +n07919665 cafe noir, demitasse +n07919787 decaffeinated coffee, decaf +n07919894 drip coffee +n07920052 espresso +n07920222 caffe latte, latte +n07920349 cappuccino, cappuccino coffee, coffee cappuccino +n07920540 iced coffee, ice coffee +n07920663 instant coffee +n07920872 mocha, mocha coffee +n07920989 mocha +n07921090 cassareep +n07921239 Turkish coffee +n07921360 chocolate milk +n07921455 cider, cyder +n07921615 hard cider +n07921834 scrumpy +n07921948 sweet cider +n07922041 mulled cider +n07922147 perry +n07922512 rotgut +n07922607 slug +n07922764 cocoa, chocolate, hot chocolate, drinking chocolate +n07922955 criollo +n07923748 juice +n07924033 fruit juice, fruit crush +n07924276 nectar +n07924366 apple juice +n07924443 cranberry juice +n07924560 grape juice +n07924655 must +n07924747 grapefruit juice +n07924834 orange juice +n07924955 frozen orange juice, orange-juice concentrate +n07925116 pineapple juice +n07925229 lemon juice +n07925327 lime juice +n07925423 papaya juice +n07925500 tomato juice +n07925608 carrot juice +n07925708 V-8 juice +n07925808 koumiss, kumis +n07925966 fruit drink, ade +n07926250 lemonade +n07926346 limeade +n07926442 orangeade +n07926540 malted milk +n07926785 mate +n07926920 mulled wine +n07927070 negus +n07927197 soft drink +n07927512 pop, soda, soda pop, soda water, tonic +n07927716 birch beer +n07927836 bitter lemon +n07927931 cola, dope +n07928163 cream soda +n07928264 egg cream +n07928367 ginger ale, ginger pop +n07928488 orange soda +n07928578 phosphate +n07928696 Coca Cola, Coke +n07928790 Pepsi, Pepsi Cola +n07928887 root beer +n07928998 sarsaparilla +n07929172 tonic, tonic water, quinine water +n07929351 coffee bean, coffee berry, coffee +n07929519 coffee, java +n07929940 cafe royale, coffee royal +n07930062 fruit punch +n07930205 milk punch +n07930315 mimosa, buck's fizz +n07930433 pina colada +n07930554 punch +n07930864 cup +n07931001 champagne cup +n07931096 claret cup +n07931280 wassail +n07931452 planter's punch +n07931612 White Russian +n07931733 fish house punch +n07931870 May wine +n07932039 eggnog +n07932323 cassiri +n07932454 spruce beer +n07932614 rickey +n07932762 gin rickey +n07932841 tea, tea leaf +n07933154 tea bag +n07933274 tea +n07933530 tea-like drink +n07933652 cambric tea +n07933799 cuppa, cupper +n07933891 herb tea, herbal tea, herbal +n07934032 tisane +n07934152 camomile tea +n07934282 ice tea, iced tea +n07934373 sun tea +n07934530 black tea +n07934678 congou, congo, congou tea, English breakfast tea +n07934800 Darjeeling +n07934908 orange pekoe, pekoe +n07935043 souchong, soochong +n07935152 green tea +n07935288 hyson +n07935379 oolong +n07935504 water +n07935737 bottled water +n07935878 branch water +n07936015 spring water +n07936093 sugar water +n07936263 drinking water +n07936459 ice water +n07936548 soda water, carbonated water, club soda, seltzer, sparkling water +n07936745 mineral water +n07936979 seltzer +n07937069 Vichy water +n07937344 perishable, spoilable +n07937461 couscous +n07937621 ramekin, ramequin +n07938007 multivitamin, multivitamin pill +n07938149 vitamin pill +n07938313 soul food +n07938594 mold, mould +n07942152 people +n07951464 collection, aggregation, accumulation, assemblage +n07954211 book, rule book +n07977870 library +n08079613 baseball club, ball club, club, nine +n08182379 crowd +n08238463 class, form, grade, course +n08242223 core, nucleus, core group +n08249459 concert band, military band +n08253141 dance +n08256735 wedding, wedding party +n08376250 chain, concatenation +n08385989 power breakfast +n08492354 aerie, aery, eyrie, eyry +n08492461 agora +n08494231 amusement park, funfair, pleasure ground +n08495908 aphelion +n08496334 apron +n08500819 interplanetary space +n08500989 interstellar space +n08501887 intergalactic space +n08505018 bush +n08506347 semidesert +n08511017 beam-ends +n08517010 bridgehead +n08517676 bus stop +n08518171 campsite, campground, camping site, camping ground, bivouac, encampment, camping area +n08519299 detention basin +n08521623 cemetery, graveyard, burial site, burial ground, burying ground, memorial park, necropolis +n08523340 trichion, crinion +n08524735 city, metropolis, urban center +n08539072 business district, downtown +n08539276 outskirts +n08540532 borough +n08547468 cow pasture +n08547544 crest +n08551296 eparchy, exarchate +n08554440 suburb, suburbia, suburban area +n08555333 stockbroker belt +n08555710 crawlspace, crawl space +n08558770 sheikdom, sheikhdom +n08558963 residence, abode +n08559155 domicile, legal residence +n08560295 dude ranch +n08569482 farmland, farming area +n08571275 midfield +n08571642 firebreak, fireguard +n08571898 flea market +n08573674 battlefront, front, front line +n08573842 garbage heap, junk heap, rubbish heap, scrapheap, trash heap, junk pile, trash pile, refuse heap +n08578517 benthos, benthic division, benthonic zone +n08579266 goldfield +n08579352 grainfield, grain field +n08580944 half-mast, half-staff +n08583292 hemline +n08583455 heronry +n08583554 hipline +n08583682 hipline +n08584914 hole-in-the-wall +n08586978 junkyard +n08589670 isoclinic line, isoclinal +n08596076 littoral, litoral, littoral zone, sands +n08597579 magnetic pole +n08598301 grassland +n08598568 mecca +n08599174 observer's meridian +n08599292 prime meridian +n08611339 nombril +n08611421 no-parking zone +n08613733 outdoors, out-of-doors, open air, open +n08614632 fairground +n08616050 pasture, pastureland, grazing land, lea, ley +n08618831 perihelion +n08619112 periselene, perilune +n08623676 locus of infection +n08628141 kasbah, casbah +n08633683 waterfront +n08640531 resort, resort hotel, holiday resort +n08640739 resort area, playground, vacation spot +n08640962 rough +n08643267 ashram +n08644045 harborage, harbourage +n08645104 scrubland +n08645212 weald +n08645318 wold +n08647264 schoolyard +n08648917 showplace +n08649711 bedside +n08651104 sideline, out of bounds +n08652376 ski resort +n08658309 soil horizon +n08658918 geological horizon +n08659242 coal seam +n08659331 coalface +n08659446 field +n08659861 oilfield +n08661878 Temperate Zone +n08662427 terreplein +n08663051 three-mile limit +n08663703 desktop +n08663860 top +n08673039 kampong, campong +n08674344 subtropics, semitropics +n08676253 barrio +n08677424 veld, veldt +n08677801 vertex, peak, apex, acme +n08678783 waterline, water line, water level +n08679167 high-water mark +n08679269 low-water mark +n08679562 continental divide +n08685188 zodiac +n08782627 Aegean island +n08896327 sultanate +n09032191 Swiss canton +n09186592 abyssal zone +n09189157 aerie, aery, eyrie, eyry +n09191635 air bubble +n09193551 alluvial flat, alluvial plain +n09193705 alp +n09194227 Alpine glacier, Alpine type of glacier +n09199101 anthill, formicary +n09201998 aquifer +n09203827 archipelago +n09205509 arete +n09206896 arroyo +n09206985 ascent, acclivity, rise, raise, climb, upgrade +n09208496 asterism +n09209025 asthenosphere +n09210862 atoll +n09213434 bank +n09213565 bank +n09214060 bar +n09214269 barbecue pit +n09214916 barrier reef +n09215023 baryon, heavy particle +n09215437 basin +n09217230 beach +n09218315 honeycomb +n09218494 belay +n09218641 ben +n09219233 berm +n09223487 bladder stone, cystolith +n09224725 bluff +n09226869 borrow pit +n09228055 brae +n09229709 bubble +n09230041 burrow, tunnel +n09230202 butte +n09231117 caldera +n09233446 canyon, canon +n09233603 canyonside +n09238926 cave +n09239302 cavern +n09242389 chasm +n09245515 cirque, corrie, cwm +n09246464 cliff, drop, drop-off +n09247410 cloud +n09248153 coast +n09248399 coastland +n09249034 col, gap +n09249155 collector +n09251407 comet +n09255070 continental glacier +n09256479 coral reef +n09257843 cove +n09259025 crag +n09259219 crater +n09260907 cultivated land, farmland, plowland, ploughland, tilled land, tillage, tilth +n09262690 dale +n09263912 defile, gorge +n09264803 delta +n09265620 descent, declivity, fall, decline, declination, declension, downslope +n09266604 diapir +n09267854 divot +n09268007 divot +n09269341 down +n09269472 downhill +n09269882 draw +n09270160 drey +n09270657 drumlin +n09270735 dune, sand dune +n09274152 escarpment, scarp +n09274305 esker +n09279986 fireball +n09281252 flare star +n09282208 floor +n09283193 fomite, vehicle +n09283405 foothill +n09283514 footwall +n09283767 foreland +n09283866 foreshore +n09287415 gauge boson +n09287968 geological formation, formation +n09288635 geyser +n09289331 glacier +n09289596 glen +n09290350 gopher hole +n09290444 gorge +n09294877 grotto, grot +n09295210 growler +n09295946 gulch, flume +n09300306 gully +n09300905 hail +n09302616 highland, upland +n09303008 hill +n09303528 hillside +n09304750 hole, hollow +n09305031 hollow, holler +n09305898 hot spring, thermal spring +n09308572 iceberg, berg +n09308743 icecap, ice cap +n09309046 ice field +n09309168 ice floe, floe +n09309292 ice mass +n09310616 inclined fault +n09315159 ion +n09319604 isthmus +n09325824 kidney stone, urinary calculus, nephrolith, renal calculus +n09326662 knoll, mound, hillock, hummock, hammock +n09327077 kopje, koppie +n09327538 Kuiper belt, Edgeworth-Kuiper belt +n09330378 lake bed, lake bottom +n09331251 lakefront +n09332890 lakeside, lakeshore +n09335693 landfall +n09335809 landfill +n09336555 lather +n09337048 leak +n09337253 ledge, shelf +n09338013 lepton +n09339810 lithosphere, geosphere +n09344198 lowland +n09344324 lunar crater +n09344724 maar +n09348460 massif +n09349648 meander +n09351905 mesa, table +n09352849 meteorite +n09353815 microfossil +n09354511 midstream +n09357346 molehill +n09357447 monocline +n09359803 mountain, mount +n09361517 mountainside, versant +n09362316 mouth +n09362945 mull +n09366017 natural depression, depression +n09366317 natural elevation, elevation +n09375606 nullah +n09376198 ocean +n09376526 ocean floor, sea floor, ocean bottom, seabed, sea bottom, Davy Jones's locker, Davy Jones +n09376786 oceanfront +n09381242 outcrop, outcropping, rock outcrop +n09382099 oxbow +n09384106 pallasite +n09389867 perforation +n09391386 photosphere +n09391644 piedmont +n09391774 Piedmont glacier, Piedmont type of glacier +n09392402 pinetum +n09393524 plage +n09393605 plain, field, champaign +n09396465 point +n09396608 polar glacier +n09398076 pothole, chuckhole +n09398677 precipice +n09399592 promontory, headland, head, foreland +n09400584 ptyalith +n09400987 pulsar +n09402944 quicksand +n09403086 rabbit burrow, rabbit hole +n09403211 radiator +n09403427 rainbow +n09403734 range, mountain range, range of mountains, chain, mountain chain, chain of mountains +n09405078 rangeland +n09405787 ravine +n09406793 reef +n09409512 ridge +n09409752 ridge, ridgeline +n09410224 rift valley +n09411189 riparian forest +n09411295 ripple mark +n09415584 riverbank, riverside +n09415671 riverbed, river bottom +n09416076 rock, stone +n09416890 roof +n09421031 saltpan +n09421799 sandbank +n09421951 sandbar, sand bar +n09422190 sandpit +n09422631 sanitary landfill +n09425019 sawpit +n09425344 scablands +n09428293 seashore, coast, seacoast, sea-coast +n09428628 seaside, seaboard +n09429630 seif dune +n09432283 shell +n09432990 shiner +n09433312 shoal +n09433442 shore +n09433839 shoreline +n09435739 sinkhole, sink, swallow hole +n09436444 ski slope +n09436708 sky +n09437454 slope, incline, side +n09438844 snowcap +n09438940 snowdrift +n09439032 snowfield +n09439213 soapsuds, suds, lather +n09442595 spit, tongue +n09443281 spoor +n09443641 spume +n09444783 star +n09445008 steep +n09445289 steppe +n09447666 strand +n09448690 streambed, creek bed +n09450163 sun, Sun +n09451237 supernova +n09452291 swale +n09452395 swamp, swampland +n09452760 swell +n09453008 tableland, plateau +n09454153 talus, scree +n09454412 tangle +n09454744 tar pit +n09456207 terrace, bench +n09457979 tidal basin +n09458269 tideland +n09459979 tor +n09460046 tor +n09461069 Trapezium +n09462600 troposphere +n09463226 tundra +n09464486 twinkler +n09466678 uphill +n09467696 urolith +n09468604 valley, vale +n09470027 vehicle-borne transmission +n09470222 vein, mineral vein +n09472413 volcanic crater, crater +n09472597 volcano +n09474010 wadi +n09474412 wall +n09474765 warren, rabbit warren +n09475044 wasp's nest, wasps' nest, hornet's nest, hornets' nest +n09475179 watercourse +n09475925 waterside +n09476123 water table, water level, groundwater level +n09478210 whinstone, whin +n09480959 wormcast +n09481120 xenolith +n09493983 Circe +n09495962 gryphon, griffin, griffon +n09505153 spiritual leader +n09537660 messiah, christ +n09556121 Rhea Silvia, Rea Silvia +n09605110 number one +n09606009 adventurer, venturer +n09606527 anomaly, unusual person +n09607630 appointee, appointment +n09607782 argonaut +n09607903 Ashkenazi +n09608709 benefactor, helper +n09610255 color-blind person +n09610405 commoner, common man, common person +n09611722 conservator +n09612700 contrarian +n09613118 contadino +n09613191 contestant +n09613690 cosigner, cosignatory +n09615336 discussant +n09616573 enologist, oenologist, fermentologist +n09616922 entertainer +n09617161 eulogist, panegyrist +n09617435 ex-gambler +n09617577 experimenter +n09617696 experimenter +n09618760 exponent +n09618880 ex-president +n09618957 face +n09619168 female, female person +n09619452 finisher +n09620078 inhabitant, habitant, dweller, denizen, indweller +n09620794 native, indigen, indigene, aborigine, aboriginal +n09621232 native +n09622049 juvenile, juvenile person +n09622302 lover +n09624168 male, male person +n09624559 mediator, go-between, intermediator, intermediary, intercessor +n09624899 mediatrix +n09625401 national, subject +n09626238 peer, equal, match, compeer +n09627807 prize winner, lottery winner +n09627906 recipient, receiver +n09629065 religionist +n09629246 sensualist +n09629752 traveler, traveller +n09631129 unwelcome person, persona non grata +n09632274 unskilled person +n09632518 worker +n09633969 wrongdoer, offender +n09635534 Black African +n09635635 Afrikaner, Afrikander, Boer +n09635973 Aryan +n09636339 Black, Black person, blackamoor, Negro, Negroid +n09637339 Black woman +n09638454 mulatto +n09638875 White, White person, Caucasian +n09639382 Circassian +n09639919 Semite +n09640327 Chaldean, Chaldaean, Chaldee +n09640715 Elamite +n09641002 white man +n09641578 WASP, white Anglo-Saxon Protestant +n09643799 gook, slant-eye +n09644152 Mongol, Mongolian +n09644657 Tatar, Tartar, Mongol Tatar +n09648743 Nahuatl +n09648911 Aztec +n09649067 Olmec +n09650729 Biloxi +n09650839 Blackfoot +n09650989 Brule +n09651123 Caddo +n09651968 Cheyenne +n09652149 Chickasaw +n09653144 Cocopa, Cocopah +n09653438 Comanche +n09654079 Creek +n09654518 Delaware +n09654898 Diegueno +n09655213 Esselen +n09655466 Eyeish +n09656077 Havasupai +n09657206 Hunkpapa +n09657748 Iowa, Ioway +n09658254 Kalapooia, Kalapuya, Calapooya, Calapuya +n09658398 Kamia +n09658815 Kekchi +n09658921 Kichai +n09659039 Kickapoo +n09659188 Kiliwa, Kiliwi +n09660010 Malecite +n09660240 Maricopa +n09661873 Mohican, Mahican +n09662038 Muskhogean, Muskogean +n09662661 Navaho, Navajo +n09662951 Nootka +n09663248 Oglala, Ogalala +n09663786 Osage +n09663999 Oneida +n09664556 Paiute, Piute +n09664908 Passamaquody +n09665367 Penobscot +n09665545 Penutian +n09666349 Potawatomi +n09666476 Powhatan +n09666883 kachina +n09667358 Salish +n09668199 Shahaptian, Sahaptin, Sahaptino +n09668437 Shasta +n09668562 Shawnee +n09668988 Sihasapa +n09669631 Teton, Lakota, Teton Sioux, Teton Dakota +n09670280 Taracahitian +n09670521 Tarahumara +n09670909 Tuscarora +n09671089 Tutelo +n09672590 Yana +n09672725 Yavapai +n09672840 Yokuts +n09673091 Yuma +n09674412 Gadaba +n09674786 Kolam +n09675045 Kui +n09675673 Toda +n09675799 Tulu +n09675922 Gujarati, Gujerati +n09676021 Kashmiri +n09676247 Punjabi, Panjabi +n09676884 Slav +n09677427 Anabaptist +n09678747 Adventist, Second Adventist +n09679028 gentile, non-Jew, goy +n09679170 gentile +n09679925 Catholic +n09680908 Old Catholic +n09681107 Uniat, Uniate, Uniate Christian +n09681234 Copt +n09681973 Jewess +n09683180 Jihadist +n09683757 Buddhist +n09683924 Zen Buddhist +n09684082 Mahayanist +n09684901 swami +n09685233 Hare Krishna +n09685806 Shintoist +n09686262 Eurafrican +n09686401 Eurasian +n09688233 Gael +n09688804 Frank +n09689435 Afghan, Afghanistani +n09689958 Albanian +n09690083 Algerian +n09690208 Altaic +n09690496 Andorran +n09690621 Angolan +n09690864 Anguillan +n09691604 Austrian +n09691729 Bahamian +n09691858 Bahraini, Bahreini +n09692125 Basotho +n09692915 Herero +n09693244 Luba, Chiluba +n09693982 Barbadian +n09694664 Bolivian +n09694771 Bornean +n09695019 Carioca +n09695132 Tupi +n09695514 Bruneian +n09695620 Bulgarian +n09695979 Byelorussian, Belorussian, White Russian +n09696456 Cameroonian +n09696585 Canadian +n09696763 French Canadian +n09697401 Central American +n09697986 Chilean +n09698644 Congolese +n09699020 Cypriot, Cypriote, Cyprian +n09699642 Dane +n09700125 Djiboutian +n09700964 Britisher, Briton, Brit +n09701148 English person +n09701833 Englishwoman +n09702134 Anglo-Saxon +n09702673 Angle +n09703101 West Saxon +n09703344 Lombard, Langobard +n09703485 limey, John Bull +n09703708 Cantabrigian +n09703809 Cornishman +n09703932 Cornishwoman +n09704057 Lancastrian +n09704157 Lancastrian +n09704283 Geordie +n09705003 Oxonian +n09705124 Ethiopian +n09705671 Amhara +n09705784 Eritrean +n09706029 Finn +n09706255 Komi +n09707061 Livonian +n09707289 Lithuanian +n09707735 Selkup, Ostyak-Samoyed +n09708750 Parisian +n09708889 Parisienne +n09709531 Creole +n09709673 Creole +n09710041 Gabonese +n09710164 Greek, Hellene +n09710886 Dorian +n09711132 Athenian +n09711435 Laconian +n09712324 Guyanese +n09712448 Haitian +n09712696 Malay, Malayan +n09712967 Moro +n09713108 Netherlander, Dutchman, Hollander +n09714120 Icelander +n09714694 Iraqi, Iraki +n09715165 Irishman +n09715303 Irishwoman +n09715427 Dubliner +n09716047 Italian +n09716933 Roman +n09717233 Sabine +n09718217 Japanese, Nipponese +n09718811 Jordanian +n09718936 Korean +n09719309 Kenyan +n09719794 Lao, Laotian +n09720033 Lapp, Lapplander, Sami, Saami, Same, Saame +n09720256 Latin American, Latino +n09720595 Lebanese +n09720702 Levantine +n09720842 Liberian +n09721244 Luxemburger, Luxembourger +n09721444 Macedonian +n09722064 Sabahan +n09722658 Mexican +n09722817 Chicano +n09723067 Mexican-American, Mexicano +n09723819 Namibian +n09723944 Nauruan +n09724234 Gurkha +n09724533 New Zealander, Kiwi +n09724656 Nicaraguan +n09724785 Nigerian +n09725000 Hausa, Haussa +n09725229 North American +n09725546 Nova Scotian, bluenose +n09725653 Omani +n09725772 Pakistani +n09725935 Brahui +n09726621 South American Indian +n09726811 Carib, Carib Indian +n09727440 Filipino +n09727826 Polynesian +n09728137 Qatari, Katari +n09728285 Romanian, Rumanian +n09729062 Muscovite +n09729156 Georgian +n09730077 Sarawakian +n09730204 Scandinavian, Norse, Northman +n09730824 Senegalese +n09731343 Slovene +n09731436 South African +n09731571 South American +n09732170 Sudanese +n09733459 Syrian +n09733793 Tahitian +n09734185 Tanzanian +n09734450 Tibetan +n09734535 Togolese +n09734639 Tuareg +n09735258 Turki +n09735654 Chuvash +n09736485 Turkoman, Turkmen, Turcoman +n09736798 Uzbek, Uzbeg, Uzbak, Usbek, Usbeg +n09736945 Ugandan +n09737050 Ukranian +n09737161 Yakut +n09737453 Tungus, Evenk +n09738121 Igbo +n09738400 American +n09740724 Anglo-American +n09741074 Alaska Native, Alaskan Native, Native Alaskan +n09741331 Arkansan, Arkansawyer +n09741722 Carolinian +n09741816 Coloradan +n09741904 Connecticuter +n09741999 Delawarean, Delawarian +n09742101 Floridian +n09742315 German American +n09742927 Illinoisan +n09743487 Mainer, Down Easter +n09743601 Marylander +n09743792 Minnesotan, Gopher +n09744161 Nebraskan, Cornhusker +n09744346 New Hampshirite, Granite Stater +n09744462 New Jerseyan, New Jerseyite, Garden Stater +n09744679 New Yorker +n09744834 North Carolinian, Tarheel +n09745229 Oregonian, Beaver +n09745324 Pennsylvanian, Keystone Stater +n09745834 Texan +n09745933 Utahan +n09746936 Uruguayan +n09747191 Vietnamese, Annamese +n09747495 Gambian +n09748101 East German +n09748408 Berliner +n09748648 Prussian +n09748889 Ghanian +n09749386 Guinean +n09750282 Papuan +n09750641 Walloon +n09750770 Yemeni +n09750891 Yugoslav, Jugoslav, Yugoslavian, Jugoslavian +n09751076 Serbian, Serb +n09751496 Xhosa +n09751622 Zairese, Zairean +n09751895 Zimbabwean +n09752023 Zulu +n09752519 Gemini, Twin +n09753348 Sagittarius, Archer +n09753792 Pisces, Fish +n09754152 abbe +n09754217 abbess, mother superior, prioress +n09754633 abnegator +n09754907 abridger, abbreviator +n09755086 abstractor, abstracter +n09755241 absconder +n09755555 absolver +n09755788 abecedarian +n09755893 aberrant +n09756049 abettor, abetter +n09756195 abhorrer +n09756961 abomination +n09757449 abseiler, rappeller +n09758173 abstainer, ascetic +n09758885 academic administrator +n09759501 academician +n09760290 accessory before the fact +n09760609 companion +n09760913 accompanist, accompanyist +n09761068 accomplice, confederate +n09761753 account executive, account representative, registered representative, customer's broker, customer's man +n09762011 accused +n09762385 accuser +n09763272 acid head +n09763784 acquaintance, friend +n09764201 acquirer +n09764598 aerialist +n09764732 action officer +n09764900 active +n09765118 active citizen +n09765278 actor, histrion, player, thespian, role player +n09767197 actor, doer, worker +n09769076 addict, nut, freak, junkie, junky +n09769525 adducer +n09769929 adjuster, adjustor, claims adjuster, claims adjustor, claim agent +n09770179 adjutant, aide, aide-de-camp +n09770359 adjutant general +n09771435 admirer, adorer +n09772330 adoptee +n09772746 adulterer, fornicator +n09772930 adulteress, fornicatress, hussy, jade, loose woman, slut, strumpet, trollop +n09773962 advertiser, advertizer, adman +n09774167 advisee +n09774783 advocate, advocator, proponent, exponent +n09775907 aeronautical engineer +n09776346 affiliate +n09776642 affluent +n09776807 aficionado +n09777870 buck sergeant +n09778266 agent-in-place +n09778537 aggravator, annoyance +n09778783 agitator, fomenter +n09778927 agnostic +n09779124 agnostic, doubter +n09779280 agonist +n09779461 agony aunt +n09779790 agriculturist, agriculturalist, cultivator, grower, raiser +n09780395 air attache +n09780828 air force officer, commander +n09780984 airhead +n09781398 air traveler, air traveller +n09781504 alarmist +n09781650 albino +n09782167 alcoholic, alky, dipsomaniac, boozer, lush, soaker, souse +n09782397 alderman +n09782855 alexic +n09783537 alienee, grantee +n09783776 alienor +n09783884 aliterate, aliterate person +n09784043 algebraist +n09784160 allegorizer, allegoriser +n09784564 alliterator +n09785236 almoner, medical social worker +n09785659 alpinist +n09785891 altar boy +n09786115 alto +n09787534 ambassador, embassador +n09787765 ambassador +n09788073 ambusher +n09788237 amicus curiae, friend of the court +n09789150 amoralist +n09789566 amputee +n09789898 analogist +n09790047 analphabet, analphabetic +n09790482 analyst +n09791014 industry analyst +n09791419 market strategist +n09791816 anarchist, nihilist, syndicalist +n09792125 anathema, bete noire +n09792555 ancestor, ascendant, ascendent, antecedent, root +n09792969 anchor, anchorman, anchorperson +n09793141 ancient +n09793352 anecdotist, raconteur +n09793946 angler, troller +n09794550 animator +n09794668 animist +n09795010 annotator +n09795124 announcer +n09795334 announcer +n09796809 anti +n09796974 anti-American +n09797742 anti-Semite, Jew-baiter +n09797873 Anzac +n09797998 ape-man +n09798096 aphakic +n09800469 appellant, plaintiff in error +n09800964 appointee +n09801102 apprehender +n09801275 April fool +n09801533 aspirant, aspirer, hopeful, wannabe, wannabee +n09802445 appreciator +n09802641 appropriator +n09802951 Arabist +n09804230 archaist +n09805151 archbishop +n09805324 archer, bowman +n09805475 architect, designer +n09806944 archivist +n09807075 archpriest, hierarch, high priest, prelate, primate +n09808080 Aristotelian, Aristotelean, Peripatetic +n09808591 armiger +n09809279 army attache +n09809538 army engineer, military engineer +n09809749 army officer +n09809925 arranger, adapter, transcriber +n09810166 arrival, arriver, comer +n09811568 arthritic +n09811712 articulator +n09811852 artilleryman, cannoneer, gunner, machine gunner +n09813219 artist's model, sitter +n09814252 assayer +n09814381 assemblyman +n09814488 assemblywoman +n09814567 assenter +n09814660 asserter, declarer, affirmer, asseverator, avower +n09815455 assignee +n09815790 assistant, helper, help, supporter +n09816654 assistant professor +n09816771 associate +n09817174 associate +n09817386 associate professor +n09818022 astronaut, spaceman, cosmonaut +n09819477 cosmographer, cosmographist +n09820044 atheist +n09820263 athlete, jock +n09821831 attendant, attender, tender +n09822830 attorney general +n09823153 auditor +n09823287 augur, auspex +n09823502 aunt, auntie, aunty +n09823832 au pair girl +n09824135 authoritarian, dictator +n09824609 authority +n09825096 authorizer, authoriser +n09825750 automobile mechanic, auto-mechanic, car-mechanic, mechanic, grease monkey +n09826204 aviator, aeronaut, airman, flier, flyer +n09826605 aviatrix, airwoman, aviatress +n09826821 ayah +n09827246 babu, baboo +n09827363 baby, babe, sister +n09828216 baby +n09828403 baby boomer, boomer +n09828988 baby farmer +n09830194 back +n09830400 backbencher +n09830629 backpacker, packer +n09830759 backroom boy, brain truster +n09830926 backscratcher +n09831962 bad person +n09832456 baggage +n09832633 bag lady +n09832978 bailee +n09833111 bailiff +n09833275 bailor +n09833441 bairn +n09833536 baker, bread maker +n09833751 balancer +n09833997 balker, baulker, noncompliant +n09834258 ball-buster, ball-breaker +n09834378 ball carrier, runner +n09834699 ballet dancer +n09834885 ballet master +n09835017 ballet mistress +n09835153 balletomane +n09835230 ball hawk +n09835348 balloonist +n09835506 ballplayer, baseball player +n09836160 bullfighter, toreador +n09836343 banderillero +n09836519 matador +n09836786 picador +n09837459 bandsman +n09837720 banker +n09838295 bank robber +n09838370 bankrupt, insolvent +n09838621 bantamweight +n09839702 barmaid +n09840217 baron, big businessman, business leader, king, magnate, mogul, power, top executive, tycoon +n09840435 baron +n09840520 baron +n09841188 bartender, barman, barkeep, barkeeper, mixologist +n09841515 baseball coach, baseball manager +n09841696 base runner, runner +n09842047 basketball player, basketeer, cager +n09842288 basketweaver, basketmaker +n09842395 Basket Maker +n09842528 bass, basso +n09842823 bastard, by-blow, love child, illegitimate child, illegitimate, whoreson +n09843443 bat boy +n09843602 bather +n09843716 batman +n09843824 baton twirler, twirler +n09844457 Bavarian +n09844898 beadsman, bedesman +n09845401 beard +n09845849 beatnik, beat +n09846142 beauty consultant +n09846469 Bedouin, Beduin +n09846586 bedwetter, bed wetter, wetter +n09846755 beekeeper, apiarist, apiculturist +n09846894 beer drinker, ale drinker +n09847267 beggarman +n09847344 beggarwoman +n09847543 beldam, beldame +n09848110 theist +n09848489 believer, truster +n09849167 bell founder +n09849990 benedick, benedict +n09850760 berserker, berserk +n09850974 besieger +n09851165 best, topper +n09851575 betrothed +n09853541 Big Brother +n09853645 bigot +n09853881 big shot, big gun, big wheel, big cheese, big deal, big enchilada, big fish, head honcho +n09854218 big sister +n09854421 billiard player +n09854915 biochemist +n09855433 biographer +n09856401 bird fancier +n09856671 birth +n09856827 birth-control campaigner, birth-control reformer +n09857007 bisexual, bisexual person +n09858165 black belt +n09858299 blackmailer, extortioner, extortionist +n09858733 Black Muslim +n09859152 blacksmith +n09859285 blade +n09859684 bleacher +n09859975 blind date +n09861287 bluecoat +n09861599 bluestocking, bas bleu +n09861863 boatbuilder +n09861946 boatman, boater, waterman +n09862183 boatswain, bos'n, bo's'n, bosun, bo'sun +n09862621 bobby +n09863031 bodyguard, escort +n09863339 boffin +n09863749 Bolshevik, Marxist, red, bolshie, bolshy +n09863936 Bolshevik, Bolshevist +n09864632 bombshell +n09864968 bondman, bondsman +n09865068 bondwoman, bondswoman, bondmaid +n09865162 bondwoman, bondswoman, bondmaid +n09865398 bond servant +n09865672 book agent +n09865744 bookbinder +n09866115 bookkeeper +n09866354 bookmaker +n09866559 bookworm +n09866661 booster, shoplifter, lifter +n09866817 bootblack, shoeblack +n09866922 bootlegger, moonshiner +n09867069 bootmaker, boot maker +n09867154 borderer +n09867311 border patrolman +n09868270 botanist, phytologist, plant scientist +n09868782 bottom feeder +n09868899 boulevardier +n09869317 bounty hunter +n09869447 bounty hunter +n09869578 Bourbon +n09870096 bowler +n09871095 slugger, slogger +n09871229 cub, lad, laddie, sonny, sonny boy +n09871681 Boy Scout +n09871867 boy scout +n09871952 boy wonder +n09872066 bragger, braggart, boaster, blowhard, line-shooter, vaunter +n09872557 brahman, brahmin +n09873348 brawler +n09873473 breadwinner +n09873769 breaststroker +n09873899 breeder, stock breeder +n09874428 brick +n09874725 bride +n09874862 bridesmaid, maid of honor +n09875025 bridge agent +n09875979 broadcast journalist +n09876701 Brother +n09877288 brother-in-law +n09877587 browser +n09877750 Brummie, Brummy +n09877951 buddy, brother, chum, crony, pal, sidekick +n09878921 bull +n09879552 bully +n09880189 bunny, bunny girl +n09880741 burglar +n09881265 bursar +n09881358 busboy, waiter's assistant +n09881895 business editor +n09883047 business traveler +n09883452 buster +n09883807 busybody, nosy-parker, nosey-parker, quidnunc +n09885059 buttinsky +n09885866 cabinetmaker, furniture maker +n09886403 caddie, golf caddie +n09886540 cadet, plebe +n09888635 caller, caller-out +n09889065 call girl +n09889170 calligrapher, calligraphist +n09889691 campaigner, candidate, nominee +n09889941 camper +n09890192 camp follower +n09890749 candidate, prospect +n09891730 canonist +n09892262 capitalist +n09892513 captain, headwaiter, maitre d'hotel, maitre d' +n09892693 captain, senior pilot +n09893191 captain +n09893344 captain, chieftain +n09893502 captive +n09893600 captive +n09894143 cardinal +n09894445 cardiologist, heart specialist, heart surgeon +n09894654 card player +n09894909 cardsharp, card sharp, cardsharper, card sharper, sharper, sharpie, sharpy, card shark +n09895222 careerist +n09895480 career man +n09895561 caregiver +n09895701 caretaker +n09895902 caretaker +n09896170 caricaturist +n09896311 carillonneur +n09896401 caroler, caroller +n09896685 carpenter +n09896826 carper, niggler +n09898020 Cartesian +n09899289 cashier +n09899671 casualty, injured party +n09899782 casualty +n09899929 casuist, sophist +n09901337 catechist +n09901502 catechumen, neophyte +n09901642 caterer +n09901786 Catholicos +n09901921 cat fancier +n09902128 Cavalier, Royalist +n09902353 cavalryman, trooper +n09902731 caveman, cave man, cave dweller, troglodyte +n09902851 celebrant +n09902954 celebrant, celebrator, celebrater +n09903153 celebrity, famous person +n09903501 cellist, violoncellist +n09903639 censor +n09903936 censor +n09904208 centenarian +n09904837 centrist, middle of the roader, moderate, moderationist +n09905050 centurion +n09905185 certified public accountant, CPA +n09905530 chachka, tsatske, tshatshke, tchotchke, tchotchkeleh +n09906293 chambermaid, fille de chambre +n09906449 chameleon +n09906704 champion, champ, title-holder +n09907804 chandler +n09908769 prison chaplain +n09909660 charcoal burner +n09909929 charge d'affaires +n09910222 charioteer +n09910374 charmer, beguiler +n09910556 chartered accountant +n09910840 chartist, technical analyst +n09911226 charwoman, char, cleaning woman, cleaning lady, woman +n09912431 male chauvinist, sexist +n09912681 cheapskate, tightwad +n09912907 Chechen +n09912995 checker +n09913329 cheerer +n09913455 cheerleader +n09913593 cheerleader +n09915434 Cheops, Khufu +n09915651 chess master +n09916348 chief executive officer, CEO, chief operating officer +n09917214 chief of staff +n09917345 chief petty officer +n09917481 Chief Secretary +n09917593 child, kid, youngster, minor, shaver, nipper, small fry, tiddler, tike, tyke, fry, nestling +n09918248 child, kid +n09918554 child, baby +n09918867 child prodigy, infant prodigy, wonder child +n09919061 chimneysweeper, chimneysweep, sweep +n09919200 chiropractor +n09919451 chit +n09919899 choker +n09920106 choragus +n09920283 choreographer +n09920901 chorus girl, showgirl, chorine +n09921034 chosen +n09923003 cicerone +n09923186 cigar smoker +n09923418 cipher, cypher, nobody, nonentity +n09923561 circus acrobat +n09923673 citizen +n09923996 city editor +n09924106 city father +n09924195 city man +n09924313 city slicker, city boy +n09924437 civic leader, civil leader +n09924996 civil rights leader, civil rights worker, civil rights activist +n09927089 cleaner +n09927451 clergyman, reverend, man of the cloth +n09928136 cleric, churchman, divine, ecclesiastic +n09928451 clerk +n09928845 clever Dick, clever clogs +n09929202 climatologist +n09929298 climber +n09929577 clinician +n09930257 closer, finisher +n09930628 closet queen +n09930876 clown, buffoon, goof, goofball, merry andrew +n09931165 clown, buffoon +n09931418 coach, private instructor, tutor +n09931640 coach, manager, handler +n09932098 pitching coach +n09932336 coachman +n09932508 coal miner, collier, pitman +n09932788 coastguardsman +n09933020 cobber +n09933098 cobbler, shoemaker +n09933842 codger, old codger +n09933972 co-beneficiary +n09934337 cog +n09934488 cognitive neuroscientist +n09934774 coiffeur +n09935107 coiner +n09935434 collaborator, cooperator, partner, pardner +n09936825 colleen +n09936892 college student, university student +n09937056 collegian, college man, college boy +n09937688 colonial +n09937802 colonialist +n09937903 colonizer, coloniser +n09938080 coloratura, coloratura soprano +n09938449 color guard +n09938991 colossus, behemoth, giant, heavyweight, titan +n09940725 comedian +n09940818 comedienne +n09941089 comer +n09941571 commander +n09941787 commander in chief, generalissimo +n09941964 commanding officer, commandant, commander +n09942697 commissar, political commissar +n09942970 commissioned officer +n09943239 commissioned military officer +n09943811 commissioner +n09944022 commissioner +n09944160 committee member +n09944430 committeewoman +n09945021 commodore +n09945223 communicant +n09945319 communist, commie +n09945603 Communist +n09945745 commuter +n09946814 compere +n09947127 complexifier +n09950457 compulsive +n09950728 computational linguist +n09951070 computer scientist +n09951274 computer user +n09951524 Comrade +n09951616 concert-goer, music lover +n09952163 conciliator, make-peace, pacifier, peacemaker, reconciler +n09953052 conductor +n09953350 confectioner, candymaker +n09953615 Confederate +n09954355 confessor +n09954639 confidant, intimate +n09955406 Confucian, Confucianist +n09955944 rep +n09956578 conqueror, vanquisher +n09957523 Conservative +n09958133 Nonconformist, chapelgoer +n09958292 Anglican +n09958447 consignee +n09958569 consigner, consignor +n09959142 constable +n09959658 constructivist +n09960688 contractor +n09961198 contralto +n09961331 contributor +n09961469 control freak +n09961605 convalescent +n09961739 convener +n09962966 convict, con, inmate, yard bird, yardbird +n09964202 copilot, co-pilot +n09964411 copycat, imitator, emulator, ape, aper +n09965515 coreligionist +n09965787 cornerback +n09966470 corporatist +n09966554 correspondent, letter writer +n09967063 cosmetician +n09967406 cosmopolitan, cosmopolite +n09967555 Cossack +n09967816 cost accountant +n09967967 co-star +n09968259 costumier, costumer, costume designer +n09968652 cotter, cottier +n09968741 cotter, cottar +n09968845 counselor, counsellor +n09970088 counterterrorist +n09970192 counterspy, mole +n09970402 countess +n09970822 compromiser +n09971273 countrywoman +n09971385 county agent, agricultural agent, extension agent +n09971839 courtier +n09972010 cousin, first cousin, cousin-german, full cousin +n09972458 cover girl, pin-up, lovely +n09972587 cow +n09974648 craftsman, artisan, journeyman, artificer +n09975425 craftsman, crafter +n09976024 crapshooter +n09976283 crazy, loony, looney, nutcase, weirdo +n09976429 creature, wight +n09976728 creditor +n09976917 creep, weirdo, weirdie, weirdy, spook +n09978442 criminologist +n09979321 critic +n09979913 Croesus +n09980458 cross-examiner, cross-questioner +n09980805 crossover voter, crossover +n09980985 croupier +n09981092 crown prince +n09981278 crown princess +n09981540 cryptanalyst, cryptographer, cryptologist +n09981939 Cub Scout +n09982152 cuckold +n09982525 cultist +n09983314 curandera +n09983572 curate, minister of religion, minister, parson, pastor, rector +n09983889 curator, conservator +n09984960 customer agent +n09985470 cutter, carver +n09985809 cyberpunk +n09985978 cyborg, bionic man, bionic woman +n09986450 cymbalist +n09986700 Cynic +n09986904 cytogeneticist +n09987045 cytologist +n09987161 czar +n09987239 czar, tsar, tzar +n09988063 dad, dada, daddy, pa, papa, pappa, pop +n09988311 dairyman +n09988493 Dalai Lama, Grand Lama +n09988703 dallier, dillydallier, dilly-dallier, mope, lounger +n09989502 dancer, professional dancer, terpsichorean +n09990415 dancer, social dancer +n09990690 clog dancer +n09990777 dancing-master, dance master +n09991740 dark horse +n09991867 darling, favorite, favourite, pet, dearie, deary, ducky +n09992538 date, escort +n09992837 daughter, girl +n09993252 dawdler, drone, laggard, lagger, trailer, poke +n09993651 day boarder +n09994400 day laborer, day labourer +n09994673 deacon, Protestant deacon +n09994808 deaconess +n09994878 deadeye +n09995829 deipnosophist +n09996039 dropout +n09996304 deadhead +n09996481 deaf person +n09997622 debtor, debitor +n09998788 deckhand, roustabout +n09999135 defamer, maligner, slanderer, vilifier, libeler, backbiter, traducer +n10000294 defense contractor +n10000459 deist, freethinker +n10000787 delegate +n10001217 deliveryman, delivery boy, deliverer +n10001481 demagogue, demagog, rabble-rouser +n10001764 demigod, superman, Ubermensch +n10002257 demographer, demographist, population scientist +n10002760 demonstrator, protester +n10003476 den mother +n10004718 department head +n10005006 depositor +n10005934 deputy +n10006177 dermatologist, skin doctor +n10006748 descender +n10007684 designated hitter +n10007809 designer, intriguer +n10007995 desk clerk, hotel desk clerk, hotel clerk +n10008123 desk officer +n10008254 desk sergeant, deskman, station keeper +n10009162 detainee, political detainee +n10009276 detective, investigator, tec, police detective +n10009484 detective +n10009671 detractor, disparager, depreciator, knocker +n10010062 developer +n10010243 deviationist +n10010632 devisee +n10010767 devisor +n10010864 devourer +n10011360 dialectician +n10011486 diarist, diary keeper, journalist +n10012484 dietician, dietitian, nutritionist +n10013811 diocesan +n10015215 director, theater director, theatre director +n10015485 director +n10015792 dirty old man +n10015897 disbeliever, nonbeliever, unbeliever +n10017272 disk jockey, disc jockey, dj +n10017422 dispatcher +n10018747 distortionist +n10018861 distributor, distributer +n10019072 district attorney, DA +n10019187 district manager +n10019406 diver, plunger +n10020366 divorcee, grass widow +n10020533 ex-wife, ex +n10020670 divorce lawyer +n10020807 docent +n10020890 doctor, doc, physician, MD, Dr., medico +n10022908 dodo, fogy, fogey, fossil +n10023264 doge +n10023506 dog in the manger +n10023656 dogmatist, doctrinaire +n10024025 dolichocephalic +n10024362 domestic partner, significant other, spousal equivalent, spouse equivalent +n10024937 Dominican +n10025060 dominus, dominie, domine, dominee +n10025295 don, father +n10025391 Donatist +n10025635 donna +n10026976 dosser, street person +n10027246 double, image, look-alike +n10027590 double-crosser, double-dealer, two-timer, betrayer, traitor +n10028402 down-and-out +n10028541 doyenne +n10029068 draftsman, drawer +n10030277 dramatist, playwright +n10032987 dreamer +n10033412 dressmaker, modiste, needlewoman, seamstress, sempstress +n10033572 dressmaker's model +n10033663 dribbler, driveller, slobberer, drooler +n10033888 dribbler +n10034201 drinker, imbiber, toper, juicer +n10034614 drinker +n10035952 drug addict, junkie, junky +n10036266 drug user, substance abuser, user +n10036444 Druid +n10036692 drum majorette, majorette +n10036929 drummer +n10037080 drunk +n10037385 drunkard, drunk, rummy, sot, inebriate, wino +n10037588 Druze, Druse +n10037922 dry, prohibitionist +n10038119 dry nurse +n10038409 duchess +n10038620 duke +n10039271 duffer +n10039946 dunker +n10040240 Dutch uncle +n10040698 dyspeptic +n10040945 eager beaver, busy bee, live wire, sharpie, sharpy +n10041373 earl +n10041887 earner, wage earner +n10042690 eavesdropper +n10042845 eccentric, eccentric person, flake, oddball, geek +n10043024 eclectic, eclecticist +n10043491 econometrician, econometrist +n10043643 economist, economic expert +n10044682 ectomorph +n10044879 editor, editor in chief +n10047199 egocentric, egoist +n10047459 egotist, egoist, swellhead +n10048117 ejaculator +n10048367 elder +n10048612 elder statesman +n10048836 elected official +n10049363 electrician, lineman, linesman +n10050043 elegist +n10050880 elocutionist +n10051026 emancipator, manumitter +n10051761 embryologist +n10051861 emeritus +n10051975 emigrant, emigre, emigree, outgoer +n10052694 emissary, envoy +n10053439 empress +n10053808 employee +n10054657 employer +n10055297 enchantress, witch +n10055410 enchantress, temptress, siren, Delilah, femme fatale +n10055566 encyclopedist, encyclopaedist +n10055730 endomorph +n10055847 enemy, foe, foeman, opposition +n10056103 energizer, energiser, vitalizer, vitaliser, animator +n10056611 end man +n10056719 end man, corner man +n10057271 endorser, indorser +n10058411 enjoyer +n10058962 enlisted woman +n10059067 enophile, oenophile +n10060075 entrant +n10060175 entrant +n10060352 entrepreneur, enterpriser +n10061043 envoy, envoy extraordinary, minister plenipotentiary +n10061195 enzymologist +n10061431 eparch +n10061882 epidemiologist +n10062042 epigone, epigon +n10062176 epileptic +n10062275 Episcopalian +n10062492 equerry +n10062594 equerry +n10062716 erotic +n10062905 escapee +n10062996 escapist, dreamer, wishful thinker +n10063635 Eskimo, Esquimau, Inuit +n10063919 espionage agent +n10064831 esthetician, aesthetician +n10064977 etcher +n10065758 ethnologist +n10066206 Etonian +n10066314 etymologist +n10067011 evangelist, revivalist, gospeler, gospeller +n10067305 Evangelist +n10067600 event planner +n10067968 examiner, inspector +n10068234 examiner, tester, quizzer +n10068425 exarch +n10069296 executant +n10069981 executive secretary +n10070108 executive vice president +n10070377 executrix +n10070449 exegete +n10070563 exhibitor, exhibitioner, shower +n10070711 exhibitionist, show-off +n10071332 exile, expatriate, expat +n10071557 existentialist, existentialist philosopher, existential philosopher +n10072054 exorcist, exorciser +n10074249 ex-spouse +n10074578 extern, medical extern +n10074735 extremist +n10074841 extrovert, extravert +n10075299 eyewitness +n10075693 facilitator +n10076224 fairy godmother +n10076483 falangist, phalangist +n10076604 falconer, hawker +n10076957 falsifier +n10077106 familiar +n10077593 fan, buff, devotee, lover +n10077879 fanatic, fiend +n10078131 fancier, enthusiast +n10078719 farm boy +n10078806 farmer, husbandman, granger, sodbuster +n10079399 farmhand, fieldhand, field hand, farm worker +n10079893 fascist +n10080117 fascista +n10080508 fatalist, determinist, predestinarian, predestinationist +n10080869 father, male parent, begetter +n10081204 Father, Padre +n10081842 father-figure +n10082043 father-in-law +n10082299 Fauntleroy, Little Lord Fauntleroy +n10082423 Fauve, fauvist +n10082562 favorite son +n10082687 featherweight +n10082997 federalist +n10083677 fellow traveler, fellow traveller +n10083823 female aristocrat +n10084043 female offspring +n10084295 female child, girl, little girl +n10085101 fence +n10085869 fiance, groom-to-be +n10086383 fielder, fieldsman +n10086744 field judge +n10087434 fighter pilot +n10087736 filer +n10088200 film director, director +n10090745 finder +n10091349 fire chief, fire marshal +n10091450 fire-eater, fire-swallower +n10091564 fire-eater, hothead +n10091651 fireman, firefighter, fire fighter, fire-eater +n10091861 fire marshall +n10091997 fire walker +n10092488 first baseman, first sacker +n10092643 firstborn, eldest +n10092794 first lady +n10092978 first lieutenant, 1st lieutenant +n10093167 first offender +n10093475 first sergeant, sergeant first class +n10093818 fishmonger, fishwife +n10094320 flagellant +n10094584 flag officer +n10094782 flak catcher, flak, flack catcher, flack +n10095265 flanker back, flanker +n10095420 flapper +n10095769 flatmate +n10095869 flatterer, adulator +n10096126 flibbertigibbet, foolish woman +n10096508 flight surgeon +n10097262 floorwalker, shopwalker +n10097477 flop, dud, washout +n10097590 Florentine +n10097842 flower girl +n10097995 flower girl +n10098245 flutist, flautist, flute player +n10098388 fly-by-night +n10098517 flyweight +n10098624 flyweight +n10098710 foe, enemy +n10098862 folk dancer +n10099002 folk poet +n10099375 follower +n10101308 football hero +n10101634 football player, footballer +n10101981 footman +n10102800 forefather, father, sire +n10103155 foremother +n10103228 foreign agent +n10103921 foreigner, outsider +n10104064 boss +n10104487 foreman +n10104756 forester, tree farmer, arboriculturist +n10104888 forewoman +n10105085 forger, counterfeiter +n10105733 forward +n10105906 foster-brother, foster brother +n10106387 foster-father, foster father +n10106509 foster-mother, foster mother +n10106995 foster-sister, foster sister +n10107173 foster-son, foster son +n10107303 founder, beginner, founding father, father +n10108018 foundress +n10108089 four-minute man +n10108464 framer +n10108832 Francophobe +n10109443 freak, monster, monstrosity, lusus naturae +n10109662 free agent, free spirit, freewheeler +n10109826 free agent +n10110093 freedom rider +n10110731 free-liver +n10110893 freeloader +n10111358 free trader +n10111779 Freudian +n10111903 friar, mendicant +n10112129 monk, monastic +n10113249 frontierswoman +n10113583 front man, front, figurehead, nominal head, straw man, strawman +n10113869 frotteur +n10114476 fucker +n10114550 fucker +n10114662 fuddy-duddy +n10115430 fullback +n10115946 funambulist, tightrope walker +n10116370 fundamentalist +n10116478 fundraiser +n10116702 futurist +n10117017 gadgeteer +n10117267 gagman, gagster, gagwriter +n10117415 gagman, standup comedian +n10117739 gainer, weight gainer +n10117851 gal +n10118301 galoot +n10118743 gambist +n10118844 gambler +n10119609 gamine +n10120330 garbage man, garbageman, garbage collector, garbage carter, garbage hauler, refuse collector, dustman +n10120671 gardener +n10121026 garment cutter +n10121246 garroter, garrotter, strangler, throttler, choker +n10121714 gasman +n10121800 gastroenterologist +n10122300 gatherer +n10122531 gawker +n10123122 gendarme +n10123844 general, full general +n10126177 generator, source, author +n10126424 geneticist +n10126708 genitor +n10127186 gent +n10127689 geologist +n10128519 geophysicist +n10128748 ghostwriter, ghost +n10129338 Gibson girl +n10129825 girl, miss, missy, young lady, young woman, fille +n10130686 girlfriend, girl, lady friend +n10130877 girlfriend +n10131151 girl wonder +n10131268 Girondist, Girondin +n10131590 gitano +n10131815 gladiator +n10132035 glassblower +n10132502 gleaner +n10134178 goat herder, goatherd +n10134396 godchild +n10134760 godfather +n10134982 godparent +n10135129 godson +n10135197 gofer +n10135297 goffer, gopher +n10136615 goldsmith, goldworker, gold-worker +n10136959 golfer, golf player, linksman +n10137825 gondolier, gondoliere +n10138369 good guy +n10138472 good old boy, good ole boy, good ol' boy +n10139077 good Samaritan +n10139651 gossip columnist +n10140051 gouger +n10140597 governor general +n10140683 grabber +n10140783 grader +n10140929 graduate nurse, trained nurse +n10141364 grammarian, syntactician +n10141732 granddaughter +n10142166 grande dame +n10142391 grandfather, gramps, granddad, grandad, granddaddy, grandpa +n10142537 Grand Inquisitor +n10142747 grandma, grandmother, granny, grannie, gran, nan, nanna +n10142946 grandmaster +n10143172 grandparent +n10143595 grantee +n10143725 granter +n10144338 grass widower, divorced man +n10145239 great-aunt, grandaunt +n10145340 great grandchild +n10145480 great granddaughter +n10145590 great grandmother +n10145774 great grandparent +n10145902 great grandson +n10146002 great-nephew, grandnephew +n10146104 great-niece, grandniece +n10146416 Green Beret +n10146816 grenadier, grenade thrower +n10146927 greeter, saluter, welcomer +n10147121 gringo +n10147262 grinner +n10147710 grocer +n10147935 groom, bridegroom +n10148035 groom, bridegroom +n10148305 grouch, grump, crank, churl, crosspatch +n10148825 group captain +n10149436 grunter +n10149867 prison guard, jailer, jailor, gaoler, screw, turnkey +n10150071 guard +n10150794 guesser +n10150940 guest, invitee +n10151133 guest +n10151261 guest of honor +n10151367 guest worker, guestworker +n10151570 guide +n10151760 guitarist, guitar player +n10152306 gunnery sergeant +n10152616 guru +n10152763 guru +n10153155 guvnor +n10153414 guy, cat, hombre, bozo +n10153594 gymnast +n10153865 gym rat +n10154013 gynecologist, gynaecologist, woman's doctor +n10154186 Gypsy, Gipsy, Romany, Rommany, Romani, Roma, Bohemian +n10154601 hack, drudge, hacker +n10155222 hacker, cyber-terrorist, cyberpunk +n10155600 haggler +n10155849 hairdresser, hairstylist, stylist, styler +n10156629 hakim, hakeem +n10156831 Hakka +n10157016 halberdier +n10157128 halfback +n10157271 half blood +n10158506 hand +n10159045 animal trainer, handler +n10159289 handyman, jack of all trades, odd-job man +n10159533 hang glider +n10160188 hardliner +n10160280 harlequin +n10160412 harmonizer, harmoniser +n10161622 hash head +n10162016 hatchet man, iceman +n10162194 hater +n10162354 hatmaker, hatter, milliner, modiste +n10164025 headman, tribal chief, chieftain, chief +n10164233 headmaster, schoolmaster, master +n10164492 head nurse +n10165448 hearer, listener, auditor, attender +n10166189 heartbreaker +n10166394 heathen, pagan, gentile, infidel +n10167152 heavyweight +n10167361 heavy +n10167565 heckler, badgerer +n10167838 hedger +n10168012 hedger, equivocator, tergiversator +n10168183 hedonist, pagan, pleasure seeker +n10168584 heir, inheritor, heritor +n10168837 heir apparent +n10169147 heiress, inheritress, inheritrix +n10169241 heir presumptive +n10169419 hellion, heller, devil +n10169796 helmsman, steersman, steerer +n10170060 hire +n10170681 hematologist, haematologist +n10170866 hemiplegic +n10171219 herald, trumpeter +n10171456 herbalist, herb doctor +n10171567 herder, herdsman, drover +n10172080 hermaphrodite, intersex, gynandromorph, androgyne, epicene, epicene person +n10173410 heroine +n10173579 heroin addict +n10173665 hero worshiper, hero worshipper +n10173771 Herr +n10174253 highbinder +n10174330 highbrow +n10174445 high commissioner +n10174589 highflier, highflyer +n10174695 Highlander, Scottish Highlander, Highland Scot +n10174971 high-muck-a-muck, pooh-bah +n10175248 high priest +n10175725 highjacker, hijacker +n10176913 hireling, pensionary +n10177150 historian, historiographer +n10178077 hitchhiker +n10178216 hitter, striker +n10179069 hobbyist +n10180580 holdout +n10180791 holdover, hangover +n10180923 holdup man, stickup man +n10181445 homeboy +n10181547 homeboy +n10181799 home buyer +n10181878 homegirl +n10182190 homeless, homeless person +n10182402 homeopath, homoeopath +n10183347 honest woman +n10183931 honor guard, guard of honor +n10184505 hooker +n10185148 hoper +n10185483 hornist +n10185793 horseman, equestrian, horseback rider +n10186068 horse trader +n10186143 horsewoman +n10186216 horse wrangler, wrangler +n10186350 horticulturist, plantsman +n10186686 hospital chaplain +n10186774 host, innkeeper, boniface +n10187130 host +n10187491 hostess +n10187990 hotelier, hotelkeeper, hotel manager, hotelman, hosteller +n10188715 housekeeper +n10188856 housemaster +n10188957 housemate +n10189278 house physician, resident, resident physician +n10189597 house sitter +n10190122 housing commissioner +n10190516 huckster, cheap-jack +n10191001 hugger +n10191388 humanist, humanitarian +n10191613 humanitarian, do-gooder, improver +n10192839 hunk +n10193650 huntress +n10194231 ex-husband, ex +n10194775 hydrologist +n10195056 hyperope +n10195155 hypertensive +n10195261 hypnotist, hypnotizer, hypnotiser, mesmerist, mesmerizer +n10195593 hypocrite, dissembler, dissimulator, phony, phoney, pretender +n10196404 iceman +n10196725 iconoclast +n10197392 ideologist, ideologue +n10198437 idol, matinee idol +n10198832 idolizer, idoliser +n10199251 imam, imaum +n10200246 imperialist +n10200781 important person, influential person, personage +n10202225 inamorato +n10202624 incumbent, officeholder +n10202763 incurable +n10203949 inductee +n10204177 industrialist +n10204833 infanticide +n10205231 inferior +n10205344 infernal +n10205457 infielder +n10205714 infiltrator +n10206173 informer, betrayer, rat, squealer, blabber +n10206506 ingenue +n10206629 ingenue +n10207077 polymath +n10207169 in-law, relative-in-law +n10208189 inquiry agent +n10208847 inspector +n10208950 inspector general +n10209082 instigator, initiator +n10209731 insurance broker, insurance agent, general agent, underwriter +n10210137 insurgent, insurrectionist, freedom fighter, rebel +n10210512 intelligence analyst +n10210648 interior designer, designer, interior decorator, house decorator, room decorator, decorator +n10210911 interlocutor, conversational partner +n10211036 interlocutor, middleman +n10211666 International Grandmaster +n10211830 internationalist +n10212231 internist +n10212501 interpreter, translator +n10212780 interpreter +n10213034 intervenor +n10213429 introvert +n10214062 invader, encroacher +n10214390 invalidator, voider, nullifier +n10215623 investigator +n10216106 investor +n10216403 invigilator +n10217208 irreligionist +n10218043 Ivy Leaguer +n10218164 Jack of all trades +n10218292 Jacksonian +n10219240 Jane Doe +n10219453 janissary +n10219879 Jat +n10220080 Javanese, Javan +n10220924 Jekyll and Hyde +n10221312 jester, fool, motley fool +n10221520 Jesuit +n10222170 jezebel +n10222259 jilt +n10222497 jobber, middleman, wholesaler +n10222716 job candidate +n10223069 Job's comforter +n10223177 jockey +n10223606 John Doe +n10224578 journalist +n10225219 judge, justice, jurist +n10225931 judge advocate +n10226413 juggler +n10227166 Jungian +n10227266 junior +n10227393 junior +n10227490 Junior, Jr, Jnr +n10227698 junior lightweight +n10227793 junior middleweight +n10227985 jurist, legal expert +n10228278 juror, juryman, jurywoman +n10228468 justice of the peace +n10228592 justiciar, justiciary +n10228712 kachina +n10229883 keyboardist +n10230216 Khedive +n10233248 kingmaker +n10235024 king, queen, world-beater +n10235269 King's Counsel +n10235385 Counsel to the Crown +n10236304 kin, kinsperson, family +n10236521 enate, matrikin, matrilineal kin, matrisib, matrilineal sib +n10236842 kink +n10237069 kinswoman +n10237196 kisser, osculator +n10237464 kitchen help +n10237556 kitchen police, KP +n10237676 Klansman, Ku Kluxer, Kluxer +n10237799 kleptomaniac +n10238272 kneeler +n10238375 knight +n10239928 knocker +n10240082 knower, apprehender +n10240235 know-it-all, know-all +n10240417 kolkhoznik +n10240821 Kshatriya +n10241024 labor coach, birthing coach, doula, monitrice +n10241300 laborer, manual laborer, labourer, jack +n10242328 Labourite +n10243137 lady +n10243273 lady-in-waiting +n10243483 lady's maid +n10243664 lama +n10243872 lamb, dear +n10244108 lame duck +n10244359 lamplighter +n10244913 land agent +n10245029 landgrave +n10245341 landlubber, lubber, landsman +n10245507 landlubber, landsman, landman +n10245639 landowner, landholder, property owner +n10245863 landscape architect, landscape gardener, landscaper, landscapist +n10246317 langlaufer +n10246395 languisher +n10246703 lapidary, lapidarist +n10247358 lass, lassie, young girl, jeune fille +n10247880 Latin +n10248008 Latin +n10248198 latitudinarian +n10248377 Jehovah's Witness +n10249191 law agent +n10249270 lawgiver, lawmaker +n10249459 lawman, law officer, peace officer +n10249869 law student +n10249950 lawyer, attorney +n10250712 lay reader +n10251329 lazybones +n10251612 leaker +n10252075 leaseholder, lessee +n10252222 lector, lecturer, reader +n10252354 lector, reader +n10252547 lecturer +n10253122 left-hander, lefty, southpaw +n10253296 legal representative +n10253479 legate, official emissary +n10253611 legatee +n10253703 legionnaire, legionary +n10255459 letterman +n10257221 liberator +n10258602 licenser +n10258786 licentiate +n10259348 lieutenant +n10259780 lieutenant colonel, light colonel +n10259997 lieutenant commander +n10260473 lieutenant junior grade, lieutenant JG +n10260706 life +n10260800 lifeguard, lifesaver +n10261211 life tenant +n10261511 light flyweight +n10261624 light heavyweight, cruiserweight +n10261862 light heavyweight +n10262343 light-o'-love, light-of-love +n10262445 lightweight +n10262561 lightweight +n10262655 lightweight +n10262880 lilliputian +n10263146 limnologist +n10263411 lineman +n10263790 line officer +n10265281 lion-hunter +n10265801 lisper +n10265891 lister +n10266016 literary critic +n10266328 literate, literate person +n10266848 litigant, litigator +n10267166 litterer, litterbug, litter lout +n10267311 little brother +n10267865 little sister +n10268629 lobbyist +n10269199 locksmith +n10269289 locum tenens, locum +n10271677 Lord, noble, nobleman +n10272782 loser +n10272913 loser, also-ran +n10273064 failure, loser, nonstarter, unsuccessful person +n10274173 Lothario +n10274318 loudmouth, blusterer +n10274815 lowerclassman, underclassman +n10275249 Lowlander, Scottish Lowlander, Lowland Scot +n10275395 loyalist, stalwart +n10275848 Luddite +n10276045 lumberman, lumberjack, logger, feller, faller +n10276477 lumper +n10276942 bedlamite +n10277027 pyromaniac +n10277638 lutist, lutanist, lutenist +n10277815 Lutheran +n10277912 lyricist, lyrist +n10278456 macebearer, mace, macer +n10279018 machinist, mechanic, shop mechanic +n10279778 madame +n10280034 maenad +n10280130 maestro, master +n10280598 magdalen +n10280674 magician, prestidigitator, conjurer, conjuror, illusionist +n10281546 magus +n10281770 maharani, maharanee +n10281896 mahatma +n10282482 maid, maiden +n10282672 maid, maidservant, housemaid, amah +n10283170 major +n10283366 major +n10283546 major-domo, seneschal +n10284064 maker, shaper +n10284871 malahini +n10284965 malcontent +n10286282 malik +n10286539 malingerer, skulker, shammer +n10286749 Malthusian +n10288964 adonis +n10289039 man +n10289176 man +n10289462 manageress +n10289766 mandarin +n10290422 maneuverer, manoeuvrer +n10290541 maniac +n10290813 Manichaean, Manichean, Manichee +n10290919 manicurist +n10291110 manipulator +n10291469 man-at-arms +n10291822 man of action, man of deeds +n10291942 man of letters +n10292316 manufacturer, producer +n10293332 marcher, parader +n10293590 marchioness, marquise +n10293861 margrave +n10294020 margrave +n10294139 Marine, devil dog, leatherneck, shipboard soldier +n10295371 marquess +n10295479 marquis, marquess +n10296176 marshal, marshall +n10296444 martinet, disciplinarian, moralist +n10297234 mascot +n10297367 masochist +n10297531 mason, stonemason +n10297841 masquerader, masker, masquer +n10298202 masseur +n10298271 masseuse +n10298647 master +n10298912 master, captain, sea captain, skipper +n10299125 master-at-arms +n10299250 master of ceremonies, emcee, host +n10299700 masturbator, onanist +n10299875 matchmaker, matcher, marriage broker +n10300041 mate, first mate +n10300154 mate +n10300303 mate +n10300500 mater +n10300654 material +n10300829 materialist +n10302576 matriarch, materfamilias +n10302700 matriarch +n10302905 matriculate +n10303037 matron +n10303814 mayor, city manager +n10304086 mayoress +n10304650 mechanical engineer +n10304914 medalist, medallist, medal winner +n10305635 medical officer, medic +n10305802 medical practitioner, medical man +n10306004 medical scientist +n10306279 medium, spiritualist, sensitive +n10306496 megalomaniac +n10306595 melancholic, melancholiac +n10306890 Melkite, Melchite +n10307114 melter +n10308066 nonmember +n10308168 board member +n10308275 clansman, clanswoman, clan member +n10308504 memorizer, memoriser +n10308653 Mendelian +n10308732 mender, repairer, fixer +n10310783 Mesoamerican +n10311506 messmate +n10311661 mestiza +n10312287 meteorologist +n10312491 meter maid +n10312600 Methodist +n10313000 Metis +n10313239 metropolitan +n10313441 mezzo-soprano, mezzo +n10313724 microeconomist, microeconomic expert +n10314054 middle-aged man +n10314182 middlebrow +n10314517 middleweight +n10314836 midwife, accoucheuse +n10315217 mikado, tenno +n10315456 Milanese +n10315561 miler +n10315730 miles gloriosus +n10316360 military attache +n10316527 military chaplain, padre, Holy Joe, sky pilot +n10316862 military leader +n10317007 military officer, officer +n10317500 military policeman, MP +n10317963 mill agent +n10318293 mill-hand, factory worker +n10318607 millionairess +n10318686 millwright +n10319313 minder +n10320484 mining engineer +n10320863 minister, government minister +n10321126 ministrant +n10321340 minor leaguer, bush leaguer +n10321632 Minuteman +n10321882 misanthrope, misanthropist +n10322238 misfit +n10323634 mistress +n10323752 mistress, kept woman, fancy woman +n10323999 mixed-blood +n10324560 model, poser +n10325549 class act +n10325774 modeler, modeller +n10326776 modifier +n10327143 molecular biologist +n10327987 Monegasque, Monacan +n10328123 monetarist +n10328328 moneygrubber +n10328437 moneymaker +n10328696 Mongoloid +n10328941 monolingual +n10329035 monologist +n10330593 moonlighter +n10330931 moralist +n10331098 morosoph +n10331167 morris dancer +n10331258 mortal enemy +n10331347 mortgagee, mortgage holder +n10331841 mortician, undertaker, funeral undertaker, funeral director +n10332110 moss-trooper +n10332385 mother, female parent +n10332861 mother +n10332953 mother +n10333044 mother figure +n10333165 mother hen +n10333317 mother-in-law +n10333439 mother's boy, mamma's boy, mama's boy +n10333601 mother's daughter +n10333838 motorcycle cop, motorcycle policeman, speed cop +n10334009 motorcyclist +n10334461 Mound Builder +n10334782 mountebank, charlatan +n10335246 mourner, griever, sorrower, lamenter +n10335801 mouthpiece, mouth +n10335931 mover +n10336411 moviegoer, motion-picture fan +n10336904 muffin man +n10337488 mugwump, independent, fencesitter +n10338231 Mullah, Mollah, Mulla +n10338391 muncher +n10339179 murderess +n10339251 murder suspect +n10339717 musher +n10340312 musician, instrumentalist, player +n10341243 musicologist +n10341343 music teacher +n10341446 musketeer +n10341573 Muslimah +n10341955 mutilator, maimer, mangler +n10342180 mutineer +n10342367 mute, deaf-mute, deaf-and-dumb person +n10342543 mutterer, mumbler, murmurer +n10342893 muzzler +n10342992 Mycenaen +n10343088 mycologist +n10343355 myope +n10343449 myrmidon +n10343554 mystic, religious mystic +n10343869 mythologist +n10344121 naif +n10344203 nailer +n10344319 namby-pamby +n10344656 name dropper +n10344774 namer +n10345015 nan +n10345100 nanny, nursemaid, nurse +n10345302 narc, nark, narcotics agent +n10345422 narcissist, narcist +n10345659 nark, copper's nark +n10346015 nationalist +n10347204 nautch girl +n10347446 naval commander +n10348526 Navy SEAL, SEAL +n10349243 obstructionist, obstructor, obstructer, resister, thwarter +n10349750 Nazarene +n10349836 Nazarene, Ebionite +n10350220 Nazi, German Nazi +n10350774 nebbish, nebbech +n10351064 necker +n10353016 neonate, newborn, newborn infant, newborn baby +n10353355 nephew +n10353928 neurobiologist +n10354265 neurologist, brain doctor +n10354754 neurosurgeon, brain surgeon +n10355142 neutral +n10355306 neutralist +n10355449 newcomer, fledgling, fledgeling, starter, neophyte, freshman, newbie, entrant +n10355688 newcomer +n10355806 New Dealer +n10356450 newspaper editor +n10356877 newsreader, news reader +n10357012 Newtonian +n10357613 niece +n10357737 niggard, skinflint, scrooge, churl +n10358032 night porter +n10358124 night rider, nightrider +n10358575 NIMBY +n10359117 niqaabi +n10359422 nitpicker +n10359546 Nobelist, Nobel Laureate +n10359659 NOC +n10360366 noncandidate +n10360747 noncommissioned officer, noncom, enlisted officer +n10361060 nondescript +n10361194 nondriver +n10361296 nonparticipant +n10361525 nonperson, unperson +n10362003 nonresident +n10362319 nonsmoker +n10362557 Northern Baptist +n10363445 noticer +n10363573 novelist +n10364198 novitiate, novice +n10364502 nuclear chemist, radiochemist +n10365514 nudger +n10366145 nullipara +n10366276 number theorist +n10366966 nurse +n10368291 nursling, nurseling, suckling +n10368528 nymph, houri +n10368624 nymphet +n10368711 nympholept +n10368798 nymphomaniac, nympho +n10369095 oarswoman +n10369317 oboist +n10369417 obscurantist +n10369528 observer, commentator +n10369699 obstetrician, accoucheur +n10369955 occupier +n10370381 occultist +n10370955 wine lover +n10371052 offerer, offeror +n10371221 office-bearer +n10371330 office boy +n10371450 officeholder, officer +n10373390 officiant +n10373525 Federal, Fed, federal official +n10374541 oilman +n10374849 oil tycoon +n10374943 old-age pensioner +n10375052 old boy +n10375314 old lady +n10375402 old man +n10376523 oldster, old person, senior citizen, golden ager +n10376890 old-timer, oldtimer, gaffer, old geezer, antique +n10377021 old woman +n10377185 oligarch +n10377291 Olympian +n10377542 omnivore +n10377633 oncologist +n10378026 onlooker, looker-on +n10378113 onomancer +n10378780 operator +n10379376 opportunist, self-seeker +n10380126 optimist +n10380499 Orangeman +n10380672 orator, speechmaker, rhetorician, public speaker, speechifier +n10381804 orderly, hospital attendant +n10381981 orderly +n10382157 orderly sergeant +n10382302 ordinand +n10382480 ordinary +n10382710 organ-grinder +n10382825 organist +n10383094 organization man +n10383237 organizer, organiser, arranger +n10383505 organizer, organiser, labor organizer +n10383816 originator, conceiver, mastermind +n10384214 ornithologist, bird watcher +n10384392 orphan +n10384496 orphan +n10385566 osteopath, osteopathist +n10386196 out-and-outer +n10386754 outdoorswoman +n10386874 outfielder +n10386984 outfielder +n10387196 right fielder +n10387324 right-handed pitcher, right-hander +n10387836 outlier +n10389865 owner-occupier +n10389976 oyabun +n10390600 packrat +n10390698 padrone +n10390807 padrone +n10391416 page, pageboy +n10393909 painter +n10394434 Paleo-American, Paleo-Amerind, Paleo-Indian +n10394786 paleontologist, palaeontologist, fossilist +n10395073 pallbearer, bearer +n10395209 palmist, palmister, chiromancer +n10395390 pamperer, spoiler, coddler, mollycoddler +n10395828 Panchen Lama +n10396106 panelist, panellist +n10396337 panhandler +n10396727 paparazzo +n10396908 paperboy +n10397001 paperhanger, paperer +n10397142 paperhanger +n10397392 papoose, pappoose +n10399130 pardoner +n10400003 paretic +n10400108 parishioner +n10400205 park commissioner +n10400437 Parliamentarian, Member of Parliament +n10400618 parliamentary agent +n10400998 parodist, lampooner +n10401204 parricide +n10401331 parrot +n10401639 partaker, sharer +n10402709 part-timer +n10402824 party +n10403633 party man, party liner +n10403876 passenger, rider +n10404426 passer +n10404998 paster +n10405540 pater +n10405694 patient +n10406266 patriarch +n10406391 patriarch +n10406765 patriarch, paterfamilias +n10407310 patriot, nationalist +n10407954 patron, sponsor, supporter +n10408809 patternmaker +n10409459 pawnbroker +n10409752 payer, remunerator +n10410246 peacekeeper +n10410996 peasant +n10411356 pedant, bookworm, scholastic +n10411551 peddler, pedlar, packman, hawker, pitchman +n10411867 pederast, paederast, child molester +n10414239 penologist +n10414768 pentathlete +n10414865 Pentecostal, Pentecostalist +n10415037 percussionist +n10416567 periodontist +n10417288 peshmerga +n10417424 personality +n10417551 personal representative +n10417682 personage +n10417843 persona grata +n10417969 persona non grata +n10418101 personification +n10418735 perspirer, sweater +n10419047 pervert, deviant, deviate, degenerate +n10419472 pessimist +n10419630 pest, blighter, cuss, pesterer, gadfly +n10419785 Peter Pan +n10420031 petitioner, suppliant, supplicant, requester +n10420277 petit juror, petty juror +n10420507 pet sitter, critter sitter +n10420649 petter, fondler +n10421016 Pharaoh, Pharaoh of Egypt +n10421470 pharmacist, druggist, chemist, apothecary, pill pusher, pill roller +n10421956 philanthropist, altruist +n10422405 philatelist, stamp collector +n10425946 philosopher +n10426454 phonetician +n10426630 phonologist +n10427223 photojournalist +n10427359 photometrist, photometrician +n10427764 physical therapist, physiotherapist +n10428004 physicist +n10431122 piano maker +n10431625 picker, chooser, selector +n10432189 picnicker, picknicker +n10432441 pilgrim +n10432875 pill +n10432957 pillar, mainstay +n10433077 pill head +n10433452 pilot +n10433610 Piltdown man, Piltdown hoax +n10433737 pimp, procurer, panderer, pander, pandar, fancy man, ponce +n10435169 pipe smoker +n10435251 pip-squeak, squirt, small fry +n10435716 pisser, urinator +n10435988 pitcher, hurler, twirler +n10436334 pitchman +n10437014 placeman, placeseeker +n10437137 placer miner +n10437262 plagiarist, plagiarizer, plagiariser, literary pirate, pirate +n10437698 plainsman +n10438172 planner, contriver, deviser +n10438619 planter, plantation owner +n10438842 plasterer +n10439373 platinum blond, platinum blonde +n10439523 platitudinarian +n10439727 playboy, man-about-town, Corinthian +n10439851 player, participant +n10441037 playmate, playfellow +n10441124 pleaser +n10441694 pledger +n10441962 plenipotentiary +n10442093 plier, plyer +n10442232 plodder, slowpoke, stick-in-the-mud, slowcoach +n10442417 plodder, slogger +n10442573 plotter, mapper +n10443032 plumber, pipe fitter +n10443659 pluralist +n10443830 pluralist +n10444194 poet +n10448322 pointsman +n10448455 point woman +n10449664 policyholder +n10450038 political prisoner +n10450161 political scientist +n10450303 politician, politico, pol, political leader +n10451450 politician +n10451590 pollster, poll taker, headcounter, canvasser +n10451858 polluter, defiler +n10453184 pool player +n10455619 portraitist, portrait painter, portrayer, limner +n10456070 poseuse +n10456138 positivist, rationalist +n10456696 postdoc, post doc +n10457214 poster girl +n10457444 postulator +n10457903 private citizen +n10458111 problem solver, solver, convergent thinker +n10458356 pro-lifer +n10458596 prosthetist +n10459882 postulant +n10460033 potboy, potman +n10461060 poultryman, poulterer +n10462588 power user +n10462751 power worker, power-station worker +n10462860 practitioner, practician +n10464052 prayer, supplicant +n10464542 preceptor, don +n10464711 predecessor +n10464870 preemptor, pre-emptor +n10465002 preemptor, pre-emptor +n10465451 premature baby, preterm baby, premature infant, preterm infant, preemie, premie +n10465831 presbyter +n10466198 presenter, sponsor +n10466564 presentist +n10466918 preserver +n10467179 president +n10467395 President of the United States, United States President, President, Chief Executive +n10468750 president, prexy +n10469611 press agent, publicity man, public relations man, PR man +n10469874 press photographer +n10470779 priest +n10471640 prima ballerina +n10471732 prima donna, diva +n10471859 prima donna +n10472129 primigravida, gravida I +n10472447 primordial dwarf, hypoplastic dwarf, true dwarf, normal dwarf +n10473453 prince charming +n10473562 prince consort +n10473789 princeling +n10473917 Prince of Wales +n10474064 princess +n10474343 princess royal +n10474446 principal, dealer +n10474645 principal, school principal, head teacher, head +n10475835 print seller +n10475940 prior +n10476467 private, buck private, common soldier +n10477713 probationer, student nurse +n10477955 processor +n10478118 process-server +n10478293 proconsul +n10478462 proconsul +n10478827 proctologist +n10478960 proctor, monitor +n10479135 procurator +n10479328 procurer, securer +n10481167 profit taker +n10481268 programmer, computer programmer, coder, software engineer +n10482054 promiser, promisor +n10482220 promoter, booster, plugger +n10482587 promulgator +n10482921 propagandist +n10483138 propagator, disseminator +n10483395 property man, propman, property master +n10483799 prophetess +n10483890 prophet +n10484858 prosecutor, public prosecutor, prosecuting officer, prosecuting attorney +n10485298 prospector +n10485883 protectionist +n10486166 protegee +n10486236 protozoologist +n10486561 provost marshal +n10487182 pruner, trimmer +n10487363 psalmist +n10487592 psephologist +n10488016 psychiatrist, head-shrinker, shrink +n10488309 psychic +n10488656 psycholinguist +n10489426 psychophysicist +n10490421 publican, tavern keeper +n10491998 pudge +n10492086 puerpera +n10492727 punching bag +n10493199 punter +n10493419 punter +n10493685 puppeteer +n10493835 puppy, pup +n10493922 purchasing agent +n10494195 puritan +n10494373 Puritan +n10495167 pursuer +n10495421 pusher, shover +n10495555 pusher, drug peddler, peddler, drug dealer, drug trafficker +n10495756 pusher, thruster +n10496393 putz +n10496489 Pygmy, Pigmy +n10497135 qadi +n10497534 quadriplegic +n10497645 quadruplet, quad +n10498046 quaker, trembler +n10498699 quarter +n10498816 quarterback, signal caller, field general +n10498986 quartermaster +n10499110 quartermaster general +n10499232 Quebecois +n10499355 queen, queen regnant, female monarch +n10499631 Queen of England +n10499857 queen +n10500217 queen +n10500419 queen consort +n10500603 queen mother +n10500824 Queen's Counsel +n10500942 question master, quizmaster +n10501453 quick study, sponge +n10501635 quietist +n10502046 quitter +n10502329 rabbi +n10502950 racist, racialist +n10503818 radiobiologist +n10504090 radiologic technologist +n10504206 radiologist, radiotherapist +n10505347 rainmaker +n10505613 raiser +n10505732 raja, rajah +n10505942 rake, rakehell, profligate, rip, blood, roue +n10506336 ramrod +n10506544 ranch hand +n10506915 ranker +n10507070 ranter, raver +n10507380 rape suspect +n10507482 rapper +n10507565 rapporteur +n10507692 rare bird, rara avis +n10508141 ratepayer +n10508379 raw recruit +n10508710 reader +n10509063 reading teacher +n10509161 realist +n10509810 real estate broker, real estate agent, estate agent, land agent, house agent +n10510245 rear admiral +n10510974 receiver +n10511771 reciter +n10512201 recruit, enlistee +n10512372 recruit, military recruit +n10512708 recruiter +n10512859 recruiting-sergeant +n10513509 redcap +n10513823 redhead, redheader, red-header, carrottop +n10513938 redneck, cracker +n10514051 reeler +n10514121 reenactor +n10514255 referral +n10514429 referee, ref +n10514784 refiner +n10515863 Reform Jew +n10516527 registered nurse, RN +n10517137 registrar +n10517283 Regius professor +n10518349 reliever, allayer, comforter +n10519126 anchorite, hermit +n10519494 religious leader +n10519984 remover +n10520286 Renaissance man, generalist +n10520544 renegade +n10520964 rentier +n10521100 repairman, maintenance man, service man +n10521662 reporter, newsman, newsperson +n10521853 newswoman +n10522035 representative +n10522324 reprobate, miscreant +n10522759 rescuer, recoverer, saver +n10523341 reservist +n10524076 resident commissioner +n10524223 respecter +n10524869 restaurateur, restauranter +n10525134 restrainer, controller +n10525436 retailer, retail merchant +n10525617 retiree, retired person +n10525878 returning officer +n10526534 revenant +n10527147 revisionist +n10527334 revolutionist, revolutionary, subversive, subverter +n10528023 rheumatologist +n10528148 Rhodesian man, Homo rhodesiensis +n10528493 rhymer, rhymester, versifier, poetizer, poetiser +n10529231 rich person, wealthy person, have +n10530150 rider +n10530383 riding master +n10530571 rifleman +n10530959 right-hander, right hander, righthander +n10531109 right-hand man, chief assistant, man Friday +n10531445 ringer +n10531838 ringleader +n10533874 roadman, road mender +n10533983 roarer, bawler, bellower, screamer, screecher, shouter, yeller +n10536134 rocket engineer, rocket scientist +n10536274 rocket scientist +n10536416 rock star +n10537708 Romanov, Romanoff +n10537906 romanticist, romantic +n10538629 ropemaker, rope-maker, roper +n10538733 roper +n10538853 roper +n10539015 ropewalker, ropedancer +n10539160 rosebud +n10539278 Rosicrucian +n10540114 Mountie +n10540252 Rough Rider +n10540656 roundhead +n10541833 civil authority, civil officer +n10542608 runner +n10542761 runner +n10542888 runner +n10543161 running back +n10543937 rusher +n10544232 rustic +n10544748 saboteur, wrecker, diversionist +n10545792 sadist +n10546428 sailing master, navigator +n10546633 sailor, crewman +n10548419 salesgirl, saleswoman, saleslady +n10548537 salesman +n10548681 salesperson, sales representative, sales rep +n10549510 salvager, salvor +n10550252 sandwichman +n10550369 sangoma +n10550468 sannup +n10551576 sapper +n10552393 Sassenach +n10553140 satrap +n10553235 saunterer, stroller, ambler +n10554024 Savoyard +n10554141 sawyer +n10554846 scalper +n10555059 scandalmonger +n10555430 scapegrace, black sheep +n10556033 scene painter +n10556518 schemer, plotter +n10556704 schizophrenic +n10556825 schlemiel, shlemiel +n10557246 schlockmeister, shlockmeister +n10557854 scholar, scholarly person, bookman, student +n10559009 scholiast +n10559288 schoolchild, school-age child, pupil +n10559508 schoolfriend +n10559683 Schoolman, medieval Schoolman +n10559996 schoolmaster +n10560106 schoolmate, classmate, schoolfellow, class fellow +n10560637 scientist +n10561222 scion +n10561320 scoffer, flouter, mocker, jeerer +n10561736 scofflaw +n10562135 scorekeeper, scorer +n10562283 scorer +n10562509 scourer +n10562968 scout, talent scout +n10563314 scoutmaster +n10563403 scrambler +n10563711 scratcher +n10564098 screen actor, movie actor +n10565502 scrutineer, canvasser +n10565667 scuba diver +n10566072 sculptor, sculpturer, carver, statue maker +n10567613 Sea Scout +n10567722 seasonal worker, seasonal +n10567848 seasoner +n10568200 second baseman, second sacker +n10568358 second cousin +n10568443 seconder +n10568608 second fiddle, second banana +n10568915 second-in-command +n10569011 second lieutenant, 2nd lieutenant +n10569179 second-rater, mediocrity +n10570019 secretary +n10570704 Secretary of Agriculture, Agriculture Secretary +n10571907 Secretary of Health and Human Services +n10572706 Secretary of State +n10572889 Secretary of the Interior, Interior Secretary +n10573957 sectarian, sectary, sectarist +n10574311 section hand +n10574538 secularist +n10574840 security consultant +n10575463 seeded player, seed +n10575594 seeder, cloud seeder +n10575787 seeker, searcher, quester +n10576223 segregate +n10576316 segregator, segregationist +n10576676 selectman +n10576818 selectwoman +n10576962 selfish person +n10577182 self-starter +n10577284 seller, marketer, vender, vendor, trafficker +n10577710 selling agent +n10577820 semanticist, semiotician +n10578021 semifinalist +n10578162 seminarian, seminarist +n10578471 senator +n10578656 sendee +n10579062 senior +n10579549 senior vice president +n10580030 separatist, separationist +n10580437 septuagenarian +n10580535 serf, helot, villein +n10581648 spree killer +n10581890 serjeant-at-law, serjeant, sergeant-at-law, sergeant +n10582604 server +n10582746 serviceman, military man, man, military personnel +n10583387 settler, colonist +n10583790 settler +n10585077 sex symbol +n10585217 sexton, sacristan +n10585628 shaheed +n10586166 Shakespearian, Shakespearean +n10586265 shanghaier, seizer +n10586444 sharecropper, cropper, sharecrop farmer +n10586903 shaver +n10586998 Shavian +n10588074 sheep +n10588357 sheik, tribal sheik, sheikh, tribal sheikh, Arab chief +n10588724 shelver +n10588965 shepherd +n10589666 ship-breaker +n10590146 shipmate +n10590239 shipowner +n10590452 shipping agent +n10590903 shirtmaker +n10591072 shogun +n10591811 shopaholic +n10592049 shop girl +n10592811 shop steward, steward +n10593521 shot putter +n10594147 shrew, termagant +n10594523 shuffler +n10594857 shyster, pettifogger +n10595164 sibling, sib +n10595647 sick person, diseased person, sufferer +n10596517 sightreader +n10596899 signaler, signaller +n10597505 signer +n10597745 signor, signior +n10597889 signora +n10598013 signore +n10598181 signorina +n10598459 silent partner, sleeping partner +n10598904 addle-head, addlehead, loon, birdbrain +n10599215 simperer +n10599806 singer, vocalist, vocalizer, vocaliser +n10601234 Sinologist +n10601362 sipper +n10602119 sirrah +n10602470 Sister +n10602985 sister, sis +n10603528 waverer, vacillator, hesitator, hesitater +n10603851 sitar player +n10604275 sixth-former +n10604380 skateboarder +n10604634 skeptic, sceptic, doubter +n10604880 sketcher +n10604979 skidder +n10605253 skier +n10605737 skinny-dipper +n10607291 skin-diver, aquanaut +n10607478 skinhead +n10609092 slasher +n10609198 slattern, slut, slovenly woman, trollop +n10610465 sleeper, slumberer +n10610850 sleeper +n10611267 sleeping beauty +n10611613 sleuth, sleuthhound +n10612210 slob, sloven, pig, slovenly person +n10612373 sloganeer +n10612518 slopseller, slop-seller +n10613996 smasher, stunner, knockout, beauty, ravisher, sweetheart, peach, lulu, looker, mantrap, dish +n10614507 smirker +n10614629 smith, metalworker +n10615179 smoothie, smoothy, sweet talker, charmer +n10615334 smuggler, runner, contrabandist, moon curser, moon-curser +n10616578 sneezer +n10617024 snob, prig, snot, snoot +n10617193 snoop, snooper +n10617397 snorer +n10618234 sob sister +n10618342 soccer player +n10618465 social anthropologist, cultural anthropologist +n10618685 social climber, climber +n10618848 socialist +n10619492 socializer, socialiser +n10619642 social scientist +n10619888 social secretary +n10620212 Socinian +n10620586 sociolinguist +n10620758 sociologist +n10621294 soda jerk, soda jerker +n10621400 sodalist +n10621514 sodomite, sodomist, sod, bugger +n10622053 soldier +n10624074 son, boy +n10624310 songster +n10624437 songstress +n10624540 songwriter, songster, ballad maker +n10625860 sorcerer, magician, wizard, necromancer, thaumaturge, thaumaturgist +n10626630 sorehead +n10627252 soul mate +n10628097 Southern Baptist +n10628644 sovereign, crowned head, monarch +n10629329 spacewalker +n10629647 Spanish American, Hispanic American, Hispanic +n10629939 sparring partner, sparring mate +n10630093 spastic +n10630188 speaker, talker, utterer, verbalizer, verbaliser +n10631131 native speaker +n10631309 Speaker +n10631654 speechwriter +n10632576 specialist, medical specialist +n10633298 specifier +n10633450 spectator, witness, viewer, watcher, looker +n10634464 speech therapist +n10634849 speedskater, speed skater +n10634990 spellbinder +n10635788 sphinx +n10636488 spinster, old maid +n10637483 split end +n10638922 sport, sportsman, sportswoman +n10639238 sport, summercater +n10639359 sporting man, outdoor man +n10639637 sports announcer, sportscaster, sports commentator +n10639817 sports editor +n10641223 sprog +n10642596 square dancer +n10642705 square shooter, straight shooter, straight arrow +n10643095 squatter +n10643837 squire +n10643937 squire +n10644598 staff member, staffer +n10645017 staff sergeant +n10645223 stage director +n10646032 stainer +n10646140 stakeholder +n10646433 stalker +n10646641 stalking-horse +n10646780 stammerer, stutterer +n10646942 stamper, stomper, tramper, trampler +n10647745 standee +n10648237 stand-in, substitute, relief, reliever, backup, backup man, fill-in +n10648696 star, principal, lead +n10649197 starlet +n10649308 starter, dispatcher +n10650162 statesman, solon, national leader +n10652605 state treasurer +n10652703 stationer, stationery seller +n10654015 stenographer, amanuensis, shorthand typist +n10654211 stentor +n10654321 stepbrother, half-brother, half brother +n10654827 stepmother +n10654932 stepparent +n10655169 stevedore, loader, longshoreman, docker, dockhand, dock worker, dockworker, dock-walloper, lumper +n10655442 steward +n10655594 steward, flight attendant +n10655730 steward +n10655986 stickler +n10656120 stiff +n10656223 stifler, smotherer +n10656969 stipendiary, stipendiary magistrate +n10657306 stitcher +n10657556 stockjobber +n10657835 stock trader +n10658304 stockist +n10659042 stoker, fireman +n10659762 stooper +n10660128 store detective +n10660621 strafer +n10660883 straight man, second banana +n10661002 stranger, alien, unknown +n10661216 stranger +n10661563 strategist, strategian +n10661732 straw boss, assistant foreman +n10663315 streetwalker, street girl, hooker, hustler, floozy, floozie, slattern +n10663549 stretcher-bearer, litter-bearer +n10665302 struggler +n10665587 stud, he-man, macho-man +n10665698 student, pupil, educatee +n10666752 stumblebum, palooka +n10667477 stylist +n10667709 subaltern +n10667863 subcontractor +n10668450 subduer, surmounter, overcomer +n10668666 subject, case, guinea pig +n10669991 subordinate, subsidiary, underling, foot soldier +n10671042 substitute, reserve, second-stringer +n10671613 successor, heir +n10671736 successor, replacement +n10671898 succorer, succourer +n10672371 Sufi +n10672540 suffragan, suffragan bishop +n10672662 suffragette +n10673296 sugar daddy +n10673776 suicide bomber +n10674130 suitor, suer, wooer +n10674713 sumo wrestler +n10675010 sunbather +n10675142 sundowner +n10675609 super heavyweight +n10676018 superior, higher-up, superordinate +n10676434 supermom +n10676569 supernumerary, spear carrier, extra +n10678937 supremo +n10679174 surgeon, operating surgeon, sawbones +n10679503 Surgeon General +n10679610 Surgeon General +n10679723 surpriser +n10680609 surveyor +n10680796 surveyor +n10681194 survivor, subsister +n10681557 sutler, victualer, victualler, provisioner +n10682713 sweeper +n10682953 sweetheart, sweetie, steady, truelove +n10683675 swinger, tramp +n10684146 switcher, whipper +n10684630 swot, grind, nerd, wonk, dweeb +n10684827 sycophant, toady, crawler, lackey, ass-kisser +n10685398 sylph +n10686073 sympathizer, sympathiser, well-wisher +n10686517 symphonist +n10686694 syncopator +n10686885 syndic +n10688356 tactician +n10688811 tagger +n10689306 tailback +n10690268 tallyman, tally clerk +n10690421 tallyman +n10690648 tanker, tank driver +n10691318 tapper, wiretapper, phone tapper +n10691937 Tartuffe, Tartufe +n10692090 Tarzan +n10692482 taster, taste tester, taste-tester, sampler +n10692883 tax assessor, assessor +n10693235 taxer +n10693334 taxi dancer +n10693824 taxonomist, taxonomer, systematist +n10694258 teacher, instructor +n10694939 teaching fellow +n10695450 tearaway +n10696101 technical sergeant +n10696508 technician +n10697135 Ted, Teddy boy +n10697282 teetotaler, teetotaller, teetotalist +n10698368 television reporter, television newscaster, TV reporter, TV newsman +n10699558 temporizer, temporiser +n10699752 tempter +n10699981 term infant +n10700105 toiler +n10700201 tenant, renter +n10700640 tenant +n10700963 tenderfoot +n10701180 tennis player +n10701644 tennis pro, professional tennis player +n10701962 tenor saxophonist, tenorist +n10702167 termer +n10702615 terror, scourge, threat +n10703221 tertigravida, gravida III +n10703336 testator, testate +n10703480 testatrix +n10703692 testee, examinee +n10704238 test-tube baby +n10704712 Texas Ranger, Ranger +n10704886 thane +n10705448 theatrical producer +n10705615 theologian, theologist, theologizer, theologiser +n10706812 theorist, theoretician, theorizer, theoriser, idealogue +n10707134 theosophist +n10707233 therapist, healer +n10707707 Thessalonian +n10708292 thinker, creative thinker, mind +n10708454 thinker +n10709529 thrower +n10710171 thurifer +n10710259 ticket collector, ticket taker +n10710778 tight end +n10710913 tiler +n10711483 timekeeper, timer +n10711766 Timorese +n10712229 tinkerer, fiddler +n10712374 tinsmith, tinner +n10712474 tinter +n10712690 tippler, social drinker +n10712835 tipster, tout +n10713254 T-man +n10713686 toastmaster, symposiarch +n10713843 toast mistress +n10714195 tobogganist +n10715030 tomboy, romp, hoyden +n10715347 toolmaker +n10715789 torchbearer +n10716576 Tory +n10716864 Tory +n10717055 tosser +n10717196 tosser, jerk-off, wanker +n10717337 totalitarian +n10718131 tourist, tourer, holidaymaker +n10718349 tout, touter +n10718509 tout, ticket tout +n10718665 tovarich, tovarisch +n10718952 towhead +n10719036 town clerk +n10719132 town crier, crier +n10719267 townsman, towner +n10719807 toxicologist +n10720197 track star +n10720453 trader, bargainer, dealer, monger +n10720964 trade unionist, unionist, union member +n10721124 traditionalist, diehard +n10721321 traffic cop +n10721612 tragedian +n10721708 tragedian +n10721819 tragedienne +n10722029 trail boss +n10722575 trainer +n10722965 traitor, treasonist +n10723230 traitress +n10723597 transactor +n10724132 transcriber +n10724372 transfer, transferee +n10724570 transferee +n10725280 translator, transcriber +n10726031 transvestite, cross-dresser +n10726786 traveling salesman, travelling salesman, commercial traveler, commercial traveller, roadman, bagman +n10727016 traverser +n10727171 trawler +n10727458 Treasury, First Lord of the Treasury +n10728117 trencher +n10728233 trend-setter, taste-maker, fashion arbiter +n10728624 tribesman +n10728998 trier, attempter, essayer +n10729330 trifler +n10730542 trooper +n10730728 trooper, state trooper +n10731013 Trotskyite, Trotskyist, Trot +n10731732 truant, hooky player +n10732010 trumpeter, cornetist +n10732521 trusty +n10732854 Tudor +n10732967 tumbler +n10733820 tutee +n10734394 twin +n10734741 two-timer +n10734891 Tyke +n10734963 tympanist, timpanist +n10735173 typist +n10735298 tyrant, autocrat, despot +n10735984 umpire, ump +n10737103 understudy, standby +n10737264 undesirable +n10738111 unicyclist +n10738215 unilateralist +n10738670 Unitarian +n10738871 Arminian +n10739135 universal donor +n10739297 UNIX guru +n10739391 Unknown Soldier +n10740594 upsetter +n10740732 upstager +n10740868 upstart, parvenu, nouveau-riche, arriviste +n10741152 upstart +n10741367 urchin +n10741493 urologist +n10742005 usherette +n10742111 usher, doorkeeper +n10742546 usurper, supplanter +n10742997 utility man +n10743124 utilizer, utiliser +n10743356 Utopian +n10744078 uxoricide +n10744164 vacationer, vacationist +n10745006 valedictorian, valedictory speaker +n10745770 valley girl +n10746931 vaulter, pole vaulter, pole jumper +n10747119 vegetarian +n10747424 vegan +n10747548 venerator +n10747965 venture capitalist +n10748142 venturer, merchant-venturer +n10748506 vermin, varmint +n10748620 very important person, VIP, high-up, dignitary, panjandrum, high muckamuck +n10749928 vibist, vibraphonist +n10750031 vicar +n10750188 vicar +n10750640 vicar-general +n10751026 vice chancellor +n10751152 vicegerent +n10751265 vice president, V.P. +n10751710 vice-regent +n10752480 victim, dupe +n10753061 Victorian +n10753182 victualer, victualler +n10753339 vigilante, vigilance man +n10753442 villager +n10753989 vintager +n10754189 vintner, wine merchant +n10754281 violator, debaucher, ravisher +n10754449 violator, lawbreaker, law offender +n10755080 violist +n10755164 virago +n10755394 virologist +n10755648 Visayan, Bisayan +n10756061 viscountess +n10756148 viscount +n10756261 Visigoth +n10756641 visionary +n10756837 visiting fireman +n10757050 visiting professor +n10757492 visualizer, visualiser +n10758337 vixen, harpy, hellcat +n10758445 vizier +n10758949 voicer +n10759151 volunteer, unpaid worker +n10759331 volunteer, military volunteer, voluntary +n10759982 votary +n10760199 votary +n10760622 vouchee +n10760951 vower +n10761190 voyager +n10761326 voyeur, Peeping Tom, peeper +n10761519 vulcanizer, vulcaniser +n10762212 waffler +n10762480 Wagnerian +n10763075 waif, street child +n10763245 wailer +n10763383 waiter, server +n10763620 waitress +n10764465 walking delegate +n10764622 walk-on +n10764719 wallah +n10765305 wally +n10765587 waltzer +n10765679 wanderer, roamer, rover, bird of passage +n10765885 Wandering Jew +n10766260 wanton +n10768148 warrantee +n10768272 warrantee +n10768903 washer +n10769084 washerman, laundryman +n10769188 washwoman, washerwoman, laundrywoman, laundress +n10769321 wassailer, carouser +n10769459 wastrel, waster +n10771066 Wave +n10772092 weatherman, weather forecaster +n10772580 weekend warrior +n10772937 weeder +n10773665 welder +n10773800 welfare case, charity case +n10774329 westerner +n10774756 West-sider +n10775003 wetter +n10775128 whaler +n10776052 Whig +n10776339 whiner, complainer, moaner, sniveller, crybaby, bellyacher, grumbler, squawker +n10776887 whipper-in +n10777299 whisperer +n10778044 whiteface +n10778148 Carmelite, White Friar +n10778711 Augustinian +n10778999 white hope, great white hope +n10779610 white supremacist +n10779897 whoremaster, whoremonger +n10779995 whoremaster, whoremonger, john, trick +n10780284 widow, widow woman +n10780632 wife, married woman +n10781236 wiggler, wriggler, squirmer +n10781817 wimp, chicken, crybaby +n10782362 wing commander +n10782471 winger +n10782791 winner +n10782940 winner, victor +n10783240 window dresser, window trimmer +n10783539 winker +n10783646 wiper +n10783734 wireman, wirer +n10784113 wise guy, smart aleck, wiseacre, wisenheimer, weisenheimer +n10784544 witch doctor +n10784922 withdrawer +n10785480 withdrawer +n10787470 woman, adult female +n10788852 woman +n10789415 wonder boy, golden boy +n10789709 wonderer +n10791115 working girl +n10791221 workman, workingman, working man, working person +n10791820 workmate +n10791890 worldling +n10792335 worshiper, worshipper +n10792506 worthy +n10792856 wrecker +n10793570 wright +n10793799 write-in candidate, write-in +n10794014 writer, author +n10801561 Wykehamist +n10801802 yakuza +n10802507 yard bird, yardbird +n10802621 yardie +n10802953 yardman +n10803031 yardmaster, trainmaster, train dispatcher +n10803282 yenta +n10803978 yogi +n10804287 young buck, young man +n10804636 young Turk +n10804732 Young Turk +n10805501 Zionist +n10806113 zoo keeper +n10994097 Genet, Edmund Charles Edouard Genet, Citizen Genet +n11100798 Kennan, George F. Kennan, George Frost Kennan +n11196627 Munro, H. H. Munro, Hector Hugh Munro, Saki +n11242849 Popper, Karl Popper, Sir Karl Raimund Popper +n11318824 Stoker, Bram Stoker, Abraham Stoker +n11346873 Townes, Charles Townes, Charles Hard Townes +n11448153 dust storm, duster, sandstorm, sirocco +n11487732 parhelion, mock sun, sundog +n11508382 snow, snowfall +n11511327 facula +n11524451 wave +n11530008 microflora +n11531193 wilding +n11531334 semi-climber +n11532682 volva +n11533212 basidiocarp +n11533999 domatium +n11536567 apomict +n11536673 aquatic +n11537327 bryophyte, nonvascular plant +n11539289 acrocarp, acrocarpous moss +n11542137 sphagnum, sphagnum moss, peat moss, bog moss +n11542640 liverwort, hepatic +n11544015 hepatica, Marchantia polymorpha +n11545350 pecopteris +n11545524 pteridophyte, nonflowering plant +n11545714 fern +n11547562 fern ally +n11547855 spore +n11548728 carpospore +n11548870 chlamydospore +n11549009 conidium, conidiospore +n11549245 oospore +n11549779 tetraspore +n11549895 zoospore +n11552133 cryptogam +n11552386 spermatophyte, phanerogam, seed plant +n11552594 seedling +n11552806 annual +n11552976 biennial +n11553240 perennial +n11553522 hygrophyte +n11596108 gymnosperm +n11597657 gnetum, Gnetum gnemon +n11598287 Catha edulis +n11598686 ephedra, joint fir +n11598886 mahuang, Ephedra sinica +n11599324 welwitschia, Welwitschia mirabilis +n11600372 cycad +n11601177 sago palm, Cycas revoluta +n11601333 false sago, fern palm, Cycas circinalis +n11601918 zamia +n11602091 coontie, Florida arrowroot, Seminole bread, Zamia pumila +n11602478 ceratozamia +n11602873 dioon +n11603246 encephalartos +n11603462 kaffir bread, Encephalartos caffer +n11603835 macrozamia +n11604046 burrawong, Macrozamia communis, Macrozamia spiralis +n11608250 pine, pine tree, true pine +n11609475 pinon, pinyon +n11609684 nut pine +n11609862 pinon pine, Mexican nut pine, Pinus cembroides +n11610047 Rocky mountain pinon, Pinus edulis +n11610215 single-leaf, single-leaf pine, single-leaf pinyon, Pinus monophylla +n11610437 bishop pine, bishop's pine, Pinus muricata +n11610602 California single-leaf pinyon, Pinus californiarum +n11610823 Parry's pinyon, Pinus quadrifolia, Pinus parryana +n11611087 spruce pine, Pinus glabra +n11611233 black pine, Pinus nigra +n11611356 pitch pine, northern pitch pine, Pinus rigida +n11611561 pond pine, Pinus serotina +n11611758 stone pine, umbrella pine, European nut pine, Pinus pinea +n11612018 Swiss pine, Swiss stone pine, arolla pine, cembra nut tree, Pinus cembra +n11612235 cembra nut, cedar nut +n11612349 Swiss mountain pine, mountain pine, dwarf mountain pine, mugho pine, mugo pine, Pinus mugo +n11612575 ancient pine, Pinus longaeva +n11612923 white pine +n11613219 American white pine, eastern white pine, weymouth pine, Pinus strobus +n11613459 western white pine, silver pine, mountain pine, Pinus monticola +n11613692 southwestern white pine, Pinus strobiformis +n11613867 limber pine, Pinus flexilis +n11614039 whitebark pine, whitebarked pine, Pinus albicaulis +n11614250 yellow pine +n11614420 ponderosa, ponderosa pine, western yellow pine, bull pine, Pinus ponderosa +n11614713 Jeffrey pine, Jeffrey's pine, black pine, Pinus jeffreyi +n11615026 shore pine, lodgepole, lodgepole pine, spruce pine, Pinus contorta +n11615259 Sierra lodgepole pine, Pinus contorta murrayana +n11615387 loblolly pine, frankincense pine, Pinus taeda +n11615607 jack pine, Pinus banksiana +n11615812 swamp pine +n11615967 longleaf pine, pitch pine, southern yellow pine, Georgia pine, Pinus palustris +n11616260 shortleaf pine, short-leaf pine, shortleaf yellow pine, Pinus echinata +n11616486 red pine, Canadian red pine, Pinus resinosa +n11616662 Scotch pine, Scots pine, Scotch fir, Pinus sylvestris +n11616852 scrub pine, Virginia pine, Jersey pine, Pinus virginiana +n11617090 Monterey pine, Pinus radiata +n11617272 bristlecone pine, Rocky Mountain bristlecone pine, Pinus aristata +n11617631 table-mountain pine, prickly pine, hickory pine, Pinus pungens +n11617878 knobcone pine, Pinus attenuata +n11618079 Japanese red pine, Japanese table pine, Pinus densiflora +n11618290 Japanese black pine, black pine, Pinus thunbergii +n11618525 Torrey pine, Torrey's pine, soledad pine, grey-leaf pine, sabine pine, Pinus torreyana +n11618861 larch, larch tree +n11619227 American larch, tamarack, black larch, Larix laricina +n11619455 western larch, western tamarack, Oregon larch, Larix occidentalis +n11619687 subalpine larch, Larix lyallii +n11619845 European larch, Larix decidua +n11620016 Siberian larch, Larix siberica, Larix russica +n11620389 golden larch, Pseudolarix amabilis +n11620673 fir, fir tree, true fir +n11621029 silver fir +n11621281 amabilis fir, white fir, Pacific silver fir, red silver fir, Christmas tree, Abies amabilis +n11621547 European silver fir, Christmas tree, Abies alba +n11621727 white fir, Colorado fir, California white fir, Abies concolor, Abies lowiana +n11621950 balsam fir, balm of Gilead, Canada balsam, Abies balsamea +n11622184 Fraser fir, Abies fraseri +n11622368 lowland fir, lowland white fir, giant fir, grand fir, Abies grandis +n11622591 Alpine fir, subalpine fir, Abies lasiocarpa +n11622771 Santa Lucia fir, bristlecone fir, Abies bracteata, Abies venusta +n11623105 cedar, cedar tree, true cedar +n11623815 cedar of Lebanon, Cedrus libani +n11623967 deodar, deodar cedar, Himalayan cedar, Cedrus deodara +n11624192 Atlas cedar, Cedrus atlantica +n11624531 spruce +n11625003 Norway spruce, Picea abies +n11625223 weeping spruce, Brewer's spruce, Picea breweriana +n11625391 Engelmann spruce, Engelmann's spruce, Picea engelmannii +n11625632 white spruce, Picea glauca +n11625804 black spruce, Picea mariana, spruce pine +n11626010 Siberian spruce, Picea obovata +n11626152 Sitka spruce, Picea sitchensis +n11626409 oriental spruce, Picea orientalis +n11626585 Colorado spruce, Colorado blue spruce, silver spruce, Picea pungens +n11626826 red spruce, eastern spruce, yellow spruce, Picea rubens +n11627168 hemlock, hemlock tree +n11627512 eastern hemlock, Canadian hemlock, spruce pine, Tsuga canadensis +n11627714 Carolina hemlock, Tsuga caroliniana +n11627908 mountain hemlock, black hemlock, Tsuga mertensiana +n11628087 western hemlock, Pacific hemlock, west coast hemlock, Tsuga heterophylla +n11628456 douglas fir +n11628793 green douglas fir, douglas spruce, douglas pine, douglas hemlock, Oregon fir, Oregon pine, Pseudotsuga menziesii +n11629047 big-cone spruce, big-cone douglas fir, Pseudotsuga macrocarpa +n11629354 Cathaya +n11630017 cedar, cedar tree +n11630489 cypress, cypress tree +n11631159 gowen cypress, Cupressus goveniana +n11631405 pygmy cypress, Cupressus pigmaea, Cupressus goveniana pigmaea +n11631619 Santa Cruz cypress, Cupressus abramsiana, Cupressus goveniana abramsiana +n11631854 Arizona cypress, Cupressus arizonica +n11631985 Guadalupe cypress, Cupressus guadalupensis +n11632167 Monterey cypress, Cupressus macrocarpa +n11632376 Mexican cypress, cedar of Goa, Portuguese cypress, Cupressus lusitanica +n11632619 Italian cypress, Mediterranean cypress, Cupressus sempervirens +n11632929 King William pine, Athrotaxis selaginoides +n11633284 Chilean cedar, Austrocedrus chilensis +n11634736 incense cedar, red cedar, Calocedrus decurrens, Libocedrus decurrens +n11635152 southern white cedar, coast white cedar, Atlantic white cedar, white cypress, white cedar, Chamaecyparis thyoides +n11635433 Oregon cedar, Port Orford cedar, Lawson's cypress, Lawson's cedar, Chamaecyparis lawsoniana +n11635830 yellow cypress, yellow cedar, Nootka cypress, Alaska cedar, Chamaecyparis nootkatensis +n11636204 Japanese cedar, Japan cedar, sugi, Cryptomeria japonica +n11636835 juniper berry +n11639084 incense cedar +n11639306 kawaka, Libocedrus plumosa +n11639445 pahautea, Libocedrus bidwillii, mountain pine +n11640132 metasequoia, dawn redwood, Metasequoia glyptostrodoides +n11643835 arborvitae +n11644046 western red cedar, red cedar, canoe cedar, Thuja plicata +n11644226 American arborvitae, northern white cedar, white cedar, Thuja occidentalis +n11644462 Oriental arborvitae, Thuja orientalis, Platycladus orientalis +n11644872 hiba arborvitae, Thujopsis dolobrata +n11645163 keteleeria +n11645590 Wollemi pine +n11645914 araucaria +n11646167 monkey puzzle, chile pine, Araucaria araucana +n11646344 norfolk island pine, Araucaria heterophylla, Araucaria excelsa +n11646517 new caledonian pine, Araucaria columnaris +n11646694 bunya bunya, bunya bunya tree, Araucaria bidwillii +n11646955 hoop pine, Moreton Bay pine, Araucaria cunninghamii +n11647306 kauri pine, dammar pine +n11647703 kauri, kaury, Agathis australis +n11647868 amboina pine, amboyna pine, Agathis dammara, Agathis alba +n11648039 dundathu pine, queensland kauri, smooth bark kauri, Agathis robusta +n11648268 red kauri, Agathis lanceolata +n11648776 plum-yew +n11649150 California nutmeg, nutmeg-yew, Torreya californica +n11649359 stinking cedar, stinking yew, Torrey tree, Torreya taxifolia +n11649878 celery pine +n11650160 celery top pine, celery-topped pine, Phyllocladus asplenifolius +n11650307 tanekaha, Phyllocladus trichomanoides +n11650430 Alpine celery pine, Phyllocladus alpinus +n11650558 yellowwood, yellowwood tree +n11650759 gymnospermous yellowwood +n11652039 podocarp +n11652217 yacca, yacca podocarp, Podocarpus coriaceus +n11652376 brown pine, Rockingham podocarp, Podocarpus elatus +n11652578 cape yellowwood, African yellowwood, Podocarpus elongatus +n11652753 South-African yellowwood, Podocarpus latifolius +n11652966 alpine totara, Podocarpus nivalis +n11653126 totara, Podocarpus totara +n11653570 common yellowwood, bastard yellowwood, Afrocarpus falcata +n11653904 kahikatea, New Zealand Dacryberry, New Zealand white pine, Dacrycarpus dacrydioides, Podocarpus dacrydioides +n11654293 rimu, imou pine, red pine, Dacrydium cupressinum +n11654438 tarwood, tar-wood, Dacrydium colensoi +n11654984 common sickle pine, Falcatifolium falciforme +n11655152 yellow-leaf sickle pine, Falcatifolium taxoides +n11655592 tarwood, tar-wood, New Zealand mountain pine, Halocarpus bidwilli, Dacrydium bidwilli +n11655974 westland pine, silver pine, Lagarostrobus colensoi +n11656123 huon pine, Lagarostrobus franklinii, Dacrydium franklinii +n11656549 Chilean rimu, Lepidothamnus fonkii +n11656771 mountain rimu, Lepidothamnus laxifolius, Dacridium laxifolius +n11657585 nagi, Nageia nagi +n11658331 miro, black pine, Prumnopitys ferruginea, Podocarpus ferruginea +n11658544 matai, black pine, Prumnopitys taxifolia, Podocarpus spicata +n11658709 plum-fruited yew, Prumnopitys andina, Prumnopitys elegans +n11659248 Prince Albert yew, Prince Albert's yew, Saxe-gothea conspicua +n11659627 Sundacarpus amara, Prumnopitys amara, Podocarpus amara +n11660300 Japanese umbrella pine, Sciadopitys verticillata +n11661372 yew +n11661909 Old World yew, English yew, Taxus baccata +n11662128 Pacific yew, California yew, western yew, Taxus brevifolia +n11662371 Japanese yew, Taxus cuspidata +n11662585 Florida yew, Taxus floridana +n11662937 New Caledonian yew, Austrotaxus spicata +n11663263 white-berry yew, Pseudotaxus chienii +n11664418 ginkgo, gingko, maidenhair tree, Ginkgo biloba +n11665372 angiosperm, flowering plant +n11666854 dicot, dicotyledon, magnoliopsid, exogen +n11668117 monocot, monocotyledon, liliopsid, endogen +n11669786 floret, floweret +n11669921 flower +n11672269 bloomer +n11672400 wildflower, wild flower +n11674019 apetalous flower +n11674332 inflorescence +n11675025 rosebud +n11675404 gynostegium +n11675738 pollinium +n11676500 pistil +n11676743 gynobase +n11676850 gynophore +n11677485 stylopodium +n11677902 carpophore +n11678010 cornstalk, corn stalk +n11678299 petiolule +n11678377 mericarp +n11679378 micropyle +n11680457 germ tube +n11680596 pollen tube +n11682659 gemma +n11683216 galbulus +n11683838 nectary, honey gland +n11684264 pericarp, seed vessel +n11684499 epicarp, exocarp +n11684654 mesocarp +n11685091 pip +n11685621 silique, siliqua +n11686195 cataphyll +n11686652 perisperm +n11686780 monocarp, monocarpic plant, monocarpous plant +n11686912 sporophyte +n11687071 gametophyte +n11687432 megasporangium, macrosporangium +n11687789 microspore +n11687964 microsporangium +n11688069 microsporophyll +n11688378 archespore, archesporium +n11689197 bonduc nut, nicker nut, nicker seed +n11689367 Job's tears +n11689483 oilseed, oil-rich seed +n11689678 castor bean +n11689815 cottonseed +n11689957 candlenut +n11690088 peach pit +n11690254 hypanthium, floral cup, calyx tube +n11690455 petal, flower petal +n11691046 corolla +n11691857 lip +n11692265 perianth, chlamys, floral envelope, perigone, perigonium +n11692792 thistledown +n11693981 custard apple, custard apple tree +n11694300 cherimoya, cherimoya tree, Annona cherimola +n11694469 ilama, ilama tree, Annona diversifolia +n11694664 soursop, prickly custard apple, soursop tree, Annona muricata +n11694866 bullock's heart, bullock's heart tree, bullock heart, Annona reticulata +n11695085 sweetsop, sweetsop tree, Annona squamosa +n11695285 pond apple, pond-apple tree, Annona glabra +n11695599 pawpaw, papaw, papaw tree, Asimina triloba +n11695974 ilang-ilang, ylang-ylang, Cananga odorata +n11696450 lancewood, lancewood tree, Oxandra lanceolata +n11696935 Guinea pepper, negro pepper, Xylopia aethiopica +n11697560 barberry +n11697802 American barberry, Berberis canadensis +n11698042 common barberry, European barberry, Berberis vulgaris +n11698245 Japanese barberry, Berberis thunbergii +n11699442 Oregon grape, Oregon holly grape, hollygrape, mountain grape, holly-leaves barberry, Mahonia aquifolium +n11699751 Oregon grape, Mahonia nervosa +n11700058 mayapple, May apple, wild mandrake, Podophyllum peltatum +n11700279 May apple +n11700864 allspice +n11701066 Carolina allspice, strawberry shrub, strawberry bush, sweet shrub, Calycanthus floridus +n11701302 spicebush, California allspice, Calycanthus occidentalis +n11702713 katsura tree, Cercidiphyllum japonicum +n11703669 laurel +n11704093 true laurel, bay, bay laurel, bay tree, Laurus nobilis +n11704620 camphor tree, Cinnamomum camphora +n11704791 cinnamon, Ceylon cinnamon, Ceylon cinnamon tree, Cinnamomum zeylanicum +n11705171 cassia, cassia-bark tree, Cinnamomum cassia +n11705387 cassia bark, Chinese cinnamon +n11705573 Saigon cinnamon, Cinnamomum loureirii +n11705776 cinnamon bark +n11706325 spicebush, spice bush, American spicebush, Benjamin bush, Lindera benzoin, Benzoin odoriferum +n11706761 avocado, avocado tree, Persea Americana +n11706942 laurel-tree, red bay, Persea borbonia +n11707229 sassafras, sassafras tree, Sassafras albidum +n11707827 California laurel, California bay tree, Oregon myrtle, pepperwood, spice tree, sassafras laurel, California olive, mountain laurel, Umbellularia californica +n11708658 anise tree +n11708857 purple anise, Illicium floridanum +n11709045 star anise, Illicium anisatum +n11709205 star anise, Chinese anise, Illicium verum +n11709674 magnolia +n11710136 southern magnolia, evergreen magnolia, large-flowering magnolia, bull bay, Magnolia grandiflora +n11710393 umbrella tree, umbrella magnolia, elkwood, elk-wood, Magnolia tripetala +n11710658 earleaved umbrella tree, Magnolia fraseri +n11710827 cucumber tree, Magnolia acuminata +n11710987 large-leaved magnolia, large-leaved cucumber tree, great-leaved macrophylla, Magnolia macrophylla +n11711289 saucer magnolia, Chinese magnolia, Magnolia soulangiana +n11711537 star magnolia, Magnolia stellata +n11711764 sweet bay, swamp bay, swamp laurel, Magnolia virginiana +n11711971 manglietia, genus Manglietia +n11712282 tulip tree, tulip poplar, yellow poplar, canary whitewood, Liriodendron tulipifera +n11713164 moonseed +n11713370 common moonseed, Canada moonseed, yellow parilla, Menispermum canadense +n11713763 Carolina moonseed, Cocculus carolinus +n11714382 nutmeg, nutmeg tree, Myristica fragrans +n11715430 water nymph, fragrant water lily, pond lily, Nymphaea odorata +n11715678 European white lily, Nymphaea alba +n11716698 southern spatterdock, Nuphar sagittifolium +n11717399 lotus, Indian lotus, sacred lotus, Nelumbo nucifera +n11717577 water chinquapin, American lotus, yanquapin, Nelumbo lutea +n11718296 water-shield, fanwort, Cabomba caroliniana +n11718681 water-shield, Brasenia schreberi, water-target +n11719286 peony, paeony +n11720353 buttercup, butterflower, butter-flower, crowfoot, goldcup, kingcup +n11720643 meadow buttercup, tall buttercup, tall crowfoot, tall field buttercup, Ranunculus acris +n11720891 water crowfoot, water buttercup, Ranunculus aquatilis +n11721337 lesser celandine, pilewort, Ranunculus ficaria +n11721642 lesser spearwort, Ranunculus flammula +n11722036 greater spearwort, Ranunculus lingua +n11722342 western buttercup, Ranunculus occidentalis +n11722466 creeping buttercup, creeping crowfoot, Ranunculus repens +n11722621 cursed crowfoot, celery-leaved buttercup, Ranunculus sceleratus +n11722982 aconite +n11723227 monkshood, helmetflower, helmet flower, Aconitum napellus +n11723452 wolfsbane, wolfbane, wolf's bane, Aconitum lycoctonum +n11723770 baneberry, cohosh, herb Christopher +n11723986 baneberry +n11724109 red baneberry, redberry, red-berry, snakeberry, Actaea rubra +n11724660 pheasant's-eye, Adonis annua +n11725015 anemone, windflower +n11725311 Alpine anemone, mountain anemone, Anemone tetonensis +n11725480 Canada anemone, Anemone Canadensis +n11725623 thimbleweed, Anemone cylindrica +n11725821 wood anemone, Anemone nemorosa +n11725973 wood anemone, snowdrop, Anemone quinquefolia +n11726145 longheaded thimbleweed, Anemone riparia +n11726269 snowdrop anemone, snowdrop windflower, Anemone sylvestris +n11726433 Virginia thimbleweed, Anemone virginiana +n11726707 rue anemone, Anemonella thalictroides +n11727091 columbine, aquilegia, aquilege +n11727358 meeting house, honeysuckle, Aquilegia canadensis +n11727540 blue columbine, Aquilegia caerulea, Aquilegia scopulorum calcarea +n11727738 granny's bonnets, Aquilegia vulgaris +n11728099 marsh marigold, kingcup, meadow bright, May blob, cowslip, water dragon, Caltha palustris +n11728769 American bugbane, summer cohosh, Cimicifuga americana +n11728945 black cohosh, black snakeroot, rattle-top, Cimicifuga racemosa +n11729142 fetid bugbane, foetid bugbane, Cimicifuga foetida +n11729478 clematis +n11729860 pine hyacinth, Clematis baldwinii, Viorna baldwinii +n11730015 blue jasmine, blue jessamine, curly clematis, marsh clematis, Clematis crispa +n11730458 golden clematis, Clematis tangutica +n11730602 scarlet clematis, Clematis texensis +n11730750 leather flower, Clematis versicolor +n11730933 leather flower, vase-fine, vase vine, Clematis viorna +n11731157 virgin's bower, old man's beard, devil's darning needle, Clematis virginiana +n11731659 purple clematis, purple virgin's bower, mountain clematis, Clematis verticillaris +n11732052 goldthread, golden thread, Coptis groenlandica, Coptis trifolia groenlandica +n11732567 rocket larkspur, Consolida ambigua, Delphinium ajacis +n11733054 delphinium +n11733312 larkspur +n11733548 winter aconite, Eranthis hyemalis +n11734493 lenten rose, black hellebore, Helleborus orientalis +n11734698 green hellebore, Helleborus viridis +n11735053 hepatica, liverleaf +n11735570 goldenseal, golden seal, yellow root, turmeric root, Hydrastis Canadensis +n11735977 false rue anemone, false rue, Isopyrum biternatum +n11736362 giant buttercup, Laccopetalum giganteum +n11736694 nigella +n11736851 love-in-a-mist, Nigella damascena +n11737009 fennel flower, Nigella hispanica +n11737125 black caraway, nutmeg flower, Roman coriander, Nigella sativa +n11737534 pasqueflower, pasque flower +n11738547 meadow rue +n11738997 false bugbane, Trautvetteria carolinensis +n11739365 globeflower, globe flower +n11739978 winter's bark, winter's bark tree, Drimys winteri +n11740414 pepper shrub, Pseudowintera colorata, Wintera colorata +n11741175 sweet gale, Scotch gale, Myrica gale +n11741350 wax myrtle +n11741575 bay myrtle, puckerbush, Myrica cerifera +n11741797 bayberry, candleberry, swamp candleberry, waxberry, Myrica pensylvanica +n11742310 sweet fern, Comptonia peregrina, Comptonia asplenifolia +n11742878 corkwood, corkwood tree, Leitneria floridana +n11744011 jointed rush, Juncus articulatus +n11744108 toad rush, Juncus bufonius +n11744471 slender rush, Juncus tenuis +n11745817 zebrawood, zebrawood tree +n11746600 Connarus guianensis +n11747468 legume, leguminous plant +n11748002 legume +n11748811 peanut +n11749112 granadilla tree, granadillo, Brya ebenus +n11749603 arariba, Centrolobium robustum +n11750173 tonka bean, coumara nut +n11750508 courbaril, Hymenaea courbaril +n11750989 melilotus, melilot, sweet clover +n11751765 darling pea, poison bush +n11751974 smooth darling pea, Swainsona galegifolia +n11752578 clover, trefoil +n11752798 alpine clover, Trifolium alpinum +n11752937 hop clover, shamrock, lesser yellow trefoil, Trifolium dubium +n11753143 crimson clover, Italian clover, Trifolium incarnatum +n11753355 red clover, purple clover, Trifolium pratense +n11753562 buffalo clover, Trifolium reflexum, Trifolium stoloniferum +n11753700 white clover, dutch clover, shamrock, Trifolium repens +n11754893 mimosa +n11756092 acacia +n11756329 shittah, shittah tree +n11756669 wattle +n11756870 black wattle, Acacia auriculiformis +n11757017 gidgee, stinking wattle, Acacia cambegei +n11757190 catechu, Jerusalem thorn, Acacia catechu +n11757653 silver wattle, mimosa, Acacia dealbata +n11757851 huisache, cassie, mimosa bush, sweet wattle, sweet acacia, scented wattle, flame tree, Acacia farnesiana +n11758122 lightwood, Acacia melanoxylon +n11758276 golden wattle, Acacia pycnantha +n11758483 fever tree, Acacia xanthophloea +n11758799 coralwood, coral-wood, red sandalwood, Barbados pride, peacock flower fence, Adenanthera pavonina +n11759224 albizzia, albizia +n11759404 silk tree, Albizia julibrissin, Albizzia julibrissin +n11759609 siris, siris tree, Albizia lebbeck, Albizzia lebbeck +n11759853 rain tree, saman, monkeypod, monkey pod, zaman, zamang, Albizia saman +n11760785 calliandra +n11761202 conacaste, elephant's ear, Enterolobium cyclocarpa +n11761650 inga +n11761836 ice-cream bean, Inga edulis +n11762018 guama, Inga laurina +n11762433 lead tree, white popinac, Leucaena glauca, Leucaena leucocephala +n11762927 wild tamarind, Lysiloma latisiliqua, Lysiloma bahamensis +n11763142 sabicu, Lysiloma sabicu +n11763625 nitta tree +n11763874 Parkia javanica +n11764478 manila tamarind, camachile, huamachil, wild tamarind, Pithecellobium dulce +n11764814 cat's-claw, catclaw, black bead, Pithecellodium unguis-cati +n11765568 honey mesquite, Western honey mesquite, Prosopis glandulosa +n11766046 algarroba, algarrobilla, algarobilla +n11766189 screw bean, screwbean, tornillo, screwbean mesquite, Prosopis pubescens +n11766432 screw bean +n11767354 dogbane +n11767877 Indian hemp, rheumatism weed, Apocynum cannabinum +n11768816 bushman's poison, ordeal tree, Acocanthera oppositifolia, Acocanthera venenata +n11769176 impala lily, mock azalia, desert rose, kudu lily, Adenium obesum, Adenium multiflorum +n11769621 allamanda +n11769803 common allamanda, golden trumpet, Allamanda cathartica +n11770256 dita, dita bark, devil tree, Alstonia scholaris +n11771147 Nepal trumpet flower, Easter lily vine, Beaumontia grandiflora +n11771539 carissa +n11771746 hedge thorn, natal plum, Carissa bispinosa +n11771924 natal plum, amatungulu, Carissa macrocarpa, Carissa grandiflora +n11772408 periwinkle, rose periwinkle, Madagascar periwinkle, old maid, Cape periwinkle, red periwinkle, cayenne jasmine, Catharanthus roseus, Vinca rosea +n11772879 ivory tree, conessi, kurchi, kurchee, Holarrhena pubescens, Holarrhena antidysenterica +n11773408 white dipladenia, Mandevilla boliviensis, Dipladenia boliviensis +n11773628 Chilean jasmine, Mandevilla laxa +n11773987 oleander, rose bay, Nerium oleander +n11774513 frangipani, frangipanni +n11774972 West Indian jasmine, pagoda tree, Plumeria alba +n11775340 rauwolfia, rauvolfia +n11775626 snakewood, Rauwolfia serpentina +n11776234 Strophanthus kombe +n11777080 yellow oleander, Thevetia peruviana, Thevetia neriifolia +n11778092 myrtle, Vinca minor +n11778257 large periwinkle, Vinca major +n11779300 arum, aroid +n11780148 cuckoopint, lords-and-ladies, jack-in-the-pulpit, Arum maculatum +n11780424 black calla, Arum palaestinum +n11781176 calamus +n11782036 alocasia, elephant's ear, elephant ear +n11782266 giant taro, Alocasia macrorrhiza +n11782761 amorphophallus +n11782878 pungapung, telingo potato, elephant yam, Amorphophallus paeonifolius, Amorphophallus campanulatus +n11783162 devil's tongue, snake palm, umbrella arum, Amorphophallus rivieri +n11783920 anthurium, tailflower, tail-flower +n11784126 flamingo flower, flamingo plant, Anthurium andraeanum, Anthurium scherzerianum +n11784497 jack-in-the-pulpit, Indian turnip, wake-robin, Arisaema triphyllum, Arisaema atrorubens +n11785276 friar's-cowl, Arisarum vulgare +n11785668 caladium +n11785875 Caladium bicolor +n11786131 wild calla, water arum, Calla palustris +n11786539 taro, taro plant, dalo, dasheen, Colocasia esculenta +n11786843 taro, cocoyam, dasheen, eddo +n11787190 cryptocoryne, water trumpet +n11788039 dracontium +n11788727 golden pothos, pothos, ivy arum, Epipremnum aureum, Scindapsus aureus +n11789066 skunk cabbage, Lysichiton americanum +n11789438 monstera +n11789589 ceriman, Monstera deliciosa +n11789962 nephthytis +n11790089 Nephthytis afzelii +n11790788 arrow arum +n11790936 green arrow arum, tuckahoe, Peltandra virginica +n11791341 philodendron +n11791569 pistia, water lettuce, water cabbage, Pistia stratiotes, Pistia stratoites +n11792029 pothos +n11792341 spathiphyllum, peace lily, spathe flower +n11792742 skunk cabbage, polecat weed, foetid pothos, Symplocarpus foetidus +n11793403 yautia, tannia, spoonflower, malanga, Xanthosoma sagittifolium, Xanthosoma atrovirens +n11793779 calla lily, calla, arum lily, Zantedeschia aethiopica +n11794024 pink calla, Zantedeschia rehmanii +n11794139 golden calla +n11794519 duckweed +n11795049 common duckweed, lesser duckweed, Lemna minor +n11795216 star-duckweed, Lemna trisulca +n11795580 great duckweed, water flaxseed, Spirodela polyrrhiza +n11796005 watermeal +n11796188 common wolffia, Wolffia columbiana +n11797321 aralia +n11797508 American angelica tree, devil's walking stick, Hercules'-club, Aralia spinosa +n11797981 American spikenard, petty morel, life-of-man, Aralia racemosa +n11798270 bristly sarsaparilla, bristly sarsparilla, dwarf elder, Aralia hispida +n11798496 Japanese angelica tree, Aralia elata +n11798688 Chinese angelica, Chinese angelica tree, Aralia stipulata +n11798978 ivy, common ivy, English ivy, Hedera helix +n11799331 puka, Meryta sinclairii +n11799732 ginseng, nin-sin, Panax ginseng, Panax schinseng, Panax pseudoginseng +n11800236 ginseng +n11800565 umbrella tree, Schefflera actinophylla, Brassaia actinophylla +n11801392 birthwort, Aristolochia clematitis +n11801665 Dutchman's-pipe, pipe vine, Aristolochia macrophylla, Aristolochia durior +n11801891 Virginia snakeroot, Virginia serpentaria, Virginia serpentary, Aristolochia serpentaria +n11802410 Canada ginger, black snakeroot, Asarum canadense +n11802586 heartleaf, heart-leaf, Asarum virginicum +n11802800 heartleaf, heart-leaf, Asarum shuttleworthii +n11802995 asarabacca, Asarum europaeum +n11805255 caryophyllaceous plant +n11805544 corn cockle, corn campion, crown-of-the-field, Agrostemma githago +n11805956 sandwort +n11806219 mountain sandwort, mountain starwort, mountain daisy, Arenaria groenlandica +n11806369 pine-barren sandwort, longroot, Arenaria caroliniana +n11806521 seabeach sandwort, Arenaria peploides +n11806679 rock sandwort, Arenaria stricta +n11806814 thyme-leaved sandwort, Arenaria serpyllifolia +n11807108 mouse-ear chickweed, mouse eared chickweed, mouse ear, clammy chickweed, chickweed +n11807525 snow-in-summer, love-in-a-mist, Cerastium tomentosum +n11807696 Alpine mouse-ear, Arctic mouse-ear, Cerastium alpinum +n11807979 pink, garden pink +n11808299 sweet William, Dianthus barbatus +n11808468 carnation, clove pink, gillyflower, Dianthus caryophyllus +n11808721 china pink, rainbow pink, Dianthus chinensis +n11808932 Japanese pink, Dianthus chinensis heddewigii +n11809094 maiden pink, Dianthus deltoides +n11809271 cheddar pink, Diangus gratianopolitanus +n11809437 button pink, Dianthus latifolius +n11809594 cottage pink, grass pink, Dianthus plumarius +n11809754 fringed pink, Dianthus supurbus +n11810030 drypis +n11810358 baby's breath, babies'-breath, Gypsophila paniculata +n11811059 coral necklace, Illecebrum verticullatum +n11811473 lychnis, catchfly +n11811706 ragged robin, cuckoo flower, Lychnis flos-cuculi, Lychins floscuculi +n11811921 scarlet lychnis, maltese cross, Lychins chalcedonica +n11812094 mullein pink, rose campion, gardener's delight, dusty miller, Lychnis coronaria +n11812910 sandwort, Moehringia lateriflora +n11813077 sandwort, Moehringia mucosa +n11814584 soapwort, hedge pink, bouncing Bet, bouncing Bess, Saponaria officinalis +n11814996 knawel, knawe, Scleranthus annuus +n11815491 silene, campion, catchfly +n11815721 moss campion, Silene acaulis +n11815918 wild pink, Silene caroliniana +n11816121 red campion, red bird's eye, Silene dioica, Lychnis dioica +n11816336 white campion, evening lychnis, white cockle, bladder campion, Silene latifolia, Lychnis alba +n11816649 fire pink, Silene virginica +n11816829 bladder campion, Silene uniflora, Silene vulgaris +n11817160 corn spurry, corn spurrey, Spergula arvensis +n11817501 sand spurry, sea spurry, Spergularia rubra +n11817914 chickweed +n11818069 common chickweed, Stellaria media +n11818636 cowherb, cow cockle, Vaccaria hispanica, Vaccaria pyramidata, Saponaria vaccaria +n11819509 Hottentot fig, Hottentot's fig, sour fig, Carpobrotus edulis, Mesembryanthemum edule +n11819912 livingstone daisy, Dorotheanthus bellidiformis +n11820965 fig marigold, pebble plant +n11821184 ice plant, icicle plant, Mesembryanthemum crystallinum +n11822300 New Zealand spinach, Tetragonia tetragonioides, Tetragonia expansa +n11823043 amaranth +n11823305 amaranth +n11823436 tumbleweed, Amaranthus albus, Amaranthus graecizans +n11823756 prince's-feather, gentleman's-cane, prince's-plume, red amaranth, purple amaranth, Amaranthus cruentus, Amaranthus hybridus hypochondriacus, Amaranthus hybridus erythrostachys +n11824146 pigweed, Amaranthus hypochondriacus +n11824344 thorny amaranth, Amaranthus spinosus +n11824747 alligator weed, alligator grass, Alternanthera philoxeroides +n11825351 cockscomb, common cockscomb, Celosia cristata, Celosia argentea cristata +n11825749 cottonweed +n11826198 globe amaranth, bachelor's button, Gomphrena globosa +n11826569 bloodleaf +n11827541 saltwort, Batis maritima +n11828577 lamb's-quarters, pigweed, wild spinach, Chenopodium album +n11828973 good-king-henry, allgood, fat hen, wild spinach, Chenopodium bonus-henricus +n11829205 Jerusalem oak, feather geranium, Mexican tea, Chenopodium botrys, Atriplex mexicana +n11829672 oak-leaved goosefoot, oakleaf goosefoot, Chenopodium glaucum +n11829922 sowbane, red goosefoot, Chenopodium hybridum +n11830045 nettle-leaved goosefoot, nettleleaf goosefoot, Chenopodium murale +n11830252 red goosefoot, French spinach, Chenopodium rubrum +n11830400 stinking goosefoot, Chenopodium vulvaria +n11830714 orach, orache +n11830906 saltbush +n11831100 garden orache, mountain spinach, Atriplex hortensis +n11831297 desert holly, Atriplex hymenelytra +n11831521 quail bush, quail brush, white thistle, Atriplex lentiformis +n11832214 beet, common beet, Beta vulgaris +n11832480 beetroot, Beta vulgaris rubra +n11832671 chard, Swiss chard, spinach beet, leaf beet, chard plant, Beta vulgaris cicla +n11832899 mangel-wurzel, mangold-wurzel, mangold, Beta vulgaris vulgaris +n11833373 winged pigweed, tumbleweed, Cycloloma atriplicifolium +n11833749 halogeton, Halogeton glomeratus +n11834272 glasswort, samphire, Salicornia europaea +n11834654 saltwort, barilla, glasswort, kali, kelpwort, Salsola kali, Salsola soda +n11834890 Russian thistle, Russian tumbleweed, Russian cactus, tumbleweed, Salsola kali tenuifolia +n11835251 greasewood, black greasewood, Sarcobatus vermiculatus +n11836327 scarlet musk flower, Nyctaginia capitata +n11836722 sand verbena +n11837204 sweet sand verbena, Abronia fragrans +n11837351 yellow sand verbena, Abronia latifolia +n11837562 beach pancake, Abronia maritima +n11837743 beach sand verbena, pink sand verbena, Abronia umbellata +n11837970 desert sand verbena, Abronia villosa +n11838413 trailing four o'clock, trailing windmills, Allionia incarnata +n11838916 bougainvillea +n11839460 umbrellawort +n11839568 four o'clock +n11839823 common four-o'clock, marvel-of-Peru, Mirabilis jalapa, Mirabilis uniflora +n11840067 California four o'clock, Mirabilis laevis, Mirabilis californica +n11840246 sweet four o'clock, maravilla, Mirabilis longiflora +n11840476 desert four o'clock, Colorado four o'clock, maravilla, Mirabilis multiflora +n11840764 mountain four o'clock, Mirabilis oblongifolia +n11841247 cockspur, Pisonia aculeata +n11843441 rattail cactus, rat's-tail cactus, Aporocactus flagelliformis +n11844371 saguaro, sahuaro, Carnegiea gigantea +n11844892 night-blooming cereus +n11845557 echinocactus, barrel cactus +n11845793 hedgehog cactus +n11845913 golden barrel cactus, Echinocactus grusonii +n11846312 hedgehog cereus +n11846425 rainbow cactus +n11846765 epiphyllum, orchid cactus +n11847169 barrel cactus +n11848479 night-blooming cereus +n11848867 chichipe, Lemaireocereus chichipe +n11849271 mescal, mezcal, peyote, Lophophora williamsii +n11849467 mescal button, sacred mushroom, magic mushroom +n11849871 mammillaria +n11849983 feather ball, Mammillaria plumosa +n11850521 garambulla, garambulla cactus, Myrtillocactus geometrizans +n11850918 Knowlton's cactus, Pediocactus knowltonii +n11851258 nopal +n11851578 prickly pear, prickly pear cactus +n11851839 cholla, Opuntia cholla +n11852028 nopal, Opuntia lindheimeri +n11852148 tuna, Opuntia tuna +n11852531 Barbados gooseberry, Barbados-gooseberry vine, Pereskia aculeata +n11853079 mistletoe cactus +n11853356 Christmas cactus, Schlumbergera buckleyi, Schlumbergera baridgesii +n11853813 night-blooming cereus +n11854479 crab cactus, Thanksgiving cactus, Zygocactus truncatus, Schlumbergera truncatus +n11855274 pokeweed +n11855435 Indian poke, Phytolacca acinosa +n11855553 poke, pigeon berry, garget, scoke, Phytolacca americana +n11855842 ombu, bella sombra, Phytolacca dioica +n11856573 bloodberry, blood berry, rougeberry, rouge plant, Rivina humilis +n11857696 portulaca +n11857875 rose moss, sun plant, Portulaca grandiflora +n11858077 common purslane, pussley, pussly, verdolagas, Portulaca oleracea +n11858703 rock purslane +n11858814 red maids, redmaids, Calandrinia ciliata +n11859275 Carolina spring beauty, Claytonia caroliniana +n11859472 spring beauty, Clatonia lanceolata +n11859737 Virginia spring beauty, Claytonia virginica +n11860208 siskiyou lewisia, Lewisia cotyledon +n11860555 bitterroot, Lewisia rediviva +n11861238 broad-leaved montia, Montia cordifolia +n11861487 blinks, blinking chickweed, water chickweed, Montia lamprosperma +n11861641 toad lily, Montia chamissoi +n11861853 winter purslane, miner's lettuce, Cuban spinach, Montia perfoliata +n11862835 flame flower, flame-flower, flameflower, Talinum aurantiacum +n11863467 pigmy talinum, Talinum brevifolium +n11863877 jewels-of-opar, Talinum paniculatum +n11865071 caper +n11865276 native pomegranate, Capparis arborea +n11865429 caper tree, Jamaica caper tree, Capparis cynophallophora +n11865574 caper tree, bay-leaved caper, Capparis flexuosa +n11865874 common caper, Capparis spinosa +n11866248 spiderflower, cleome +n11866706 Rocky Mountain bee plant, stinking clover, Cleome serrulata +n11867311 clammyweed, Polanisia graveolens, Polanisia dodecandra +n11868814 crucifer, cruciferous plant +n11869351 cress, cress plant +n11869689 watercress +n11870044 stonecress, stone cress +n11870418 garlic mustard, hedge garlic, sauce-alone, jack-by-the-hedge, Alliaria officinalis +n11870747 alyssum, madwort +n11871059 rose of Jericho, resurrection plant, Anastatica hierochuntica +n11871496 Arabidopsis thaliana, mouse-ear cress +n11871748 Arabidopsis lyrata +n11872146 rock cress, rockcress +n11872324 sicklepod, Arabis Canadensis +n11872658 tower mustard, tower cress, Turritis glabra, Arabis glabra +n11873182 horseradish, horseradish root +n11873612 winter cress, St. Barbara's herb, scurvy grass +n11874081 yellow rocket, rockcress, rocket cress, Barbarea vulgaris, Sisymbrium barbarea +n11874423 hoary alison, hoary alyssum, Berteroa incana +n11874878 buckler mustard, Biscutalla laevigata +n11875523 wild cabbage, Brassica oleracea +n11875691 cabbage, cultivated cabbage, Brassica oleracea +n11875938 head cabbage, head cabbage plant, Brassica oleracea capitata +n11876204 savoy cabbage +n11876432 brussels sprout, Brassica oleracea gemmifera +n11876634 cauliflower, Brassica oleracea botrytis +n11876803 broccoli, Brassica oleracea italica +n11877193 collard +n11877283 kohlrabi, Brassica oleracea gongylodes +n11877473 turnip plant +n11877646 turnip, white turnip, Brassica rapa +n11877860 rutabaga, turnip cabbage, swede, Swedish turnip, rutabaga plant, Brassica napus napobrassica +n11878101 broccoli raab, broccoli rabe, Brassica rapa ruvo +n11878283 mustard +n11878633 chinese mustard, indian mustard, leaf mustard, gai choi, Brassica juncea +n11879054 bok choy, bok choi, pakchoi, pak choi, Chinese white cabbage, Brassica rapa chinensis +n11879722 rape, colza, Brassica napus +n11879895 rapeseed +n11881189 shepherd's purse, shepherd's pouch, Capsella bursa-pastoris +n11882074 lady's smock, cuckooflower, cuckoo flower, meadow cress, Cardamine pratensis +n11882237 coral-root bittercress, coralroot, coralwort, Cardamine bulbifera, Dentaria bulbifera +n11882426 crinkleroot, crinkle-root, crinkle root, pepper root, toothwort, Cardamine diphylla, Dentaria diphylla +n11882636 American watercress, mountain watercress, Cardamine rotundifolia +n11882821 spring cress, Cardamine bulbosa +n11882972 purple cress, Cardamine douglasii +n11883328 wallflower, Cheiranthus cheiri, Erysimum cheiri +n11883628 prairie rocket +n11883945 scurvy grass, common scurvy grass, Cochlearia officinalis +n11884384 sea kale, sea cole, Crambe maritima +n11884967 tansy mustard, Descurainia pinnata +n11885856 draba +n11887119 wallflower +n11887310 prairie rocket +n11887476 Siberian wall flower, Erysimum allionii, Cheiranthus allionii +n11887750 western wall flower, Erysimum asperum, Cheiranthus asperus, Erysimum arkansanum +n11888061 wormseed mustard, Erysimum cheiranthoides +n11888424 heliophila +n11888800 damask violet, Dame's violet, sweet rocket, Hesperis matronalis +n11889205 tansy-leaved rocket, Hugueninia tanacetifolia, Sisymbrium tanacetifolia +n11889619 candytuft +n11890022 woad +n11890150 dyer's woad, Isatis tinctoria +n11890884 bladderpod +n11891175 sweet alyssum, sweet alison, Lobularia maritima +n11892029 Malcolm stock, stock +n11892181 Virginian stock, Virginia stock, Malcolmia maritima +n11892637 stock, gillyflower +n11892817 brompton stock, Matthiola incana +n11893640 bladderpod +n11893916 chamois cress, Pritzelago alpina, Lepidium alpina +n11894327 radish plant, radish +n11894558 jointed charlock, wild radish, wild rape, runch, Raphanus raphanistrum +n11894770 radish, Raphanus sativus +n11895092 radish, daikon, Japanese radish, Raphanus sativus longipinnatus +n11895472 marsh cress, yellow watercress, Rorippa islandica +n11895714 great yellowcress, Rorippa amphibia, Nasturtium amphibium +n11896141 schizopetalon, Schizopetalon walkeri +n11896722 field mustard, wild mustard, charlock, chadlock, Brassica kaber, Sinapis arvensis +n11897116 hedge mustard, Sisymbrium officinale +n11897466 desert plume, prince's-plume, Stanleya pinnata, Cleome pinnata +n11898639 pennycress +n11898775 field pennycress, French weed, fanweed, penny grass, stinkweed, mithridate mustard, Thlaspi arvense +n11899223 fringepod, lacepod +n11899762 bladderpod +n11899921 wasabi +n11900569 poppy +n11901294 Iceland poppy, Papaver alpinum +n11901452 western poppy, Papaver californicum +n11901597 prickly poppy, Papaver argemone +n11901759 Iceland poppy, arctic poppy, Papaver nudicaule +n11901977 oriental poppy, Papaver orientale +n11902200 corn poppy, field poppy, Flanders poppy, Papaver rhoeas +n11902389 opium poppy, Papaver somniferum +n11902709 prickly poppy, argemone, white thistle, devil's fig +n11902982 Mexican poppy, Argemone mexicana +n11903333 bocconia, tree celandine, Bocconia frutescens +n11903671 celandine, greater celandine, swallowwort, swallow wort, Chelidonium majus +n11904109 corydalis +n11904274 climbing corydalis, Corydalis claviculata, Fumaria claviculata +n11905392 California poppy, Eschscholtzia californica +n11905749 horn poppy, horned poppy, yellow horned poppy, sea poppy, Glaucium flavum +n11906127 golden cup, Mexican tulip poppy, Hunnemania fumariifolia +n11906514 plume poppy, bocconia, Macleaya cordata +n11906917 blue poppy, Meconopsis betonicifolia +n11907100 Welsh poppy, Meconopsis cambrica +n11907405 creamcups, Platystemon californicus +n11907689 matilija poppy, California tree poppy, Romneya coulteri +n11908549 wind poppy, flaming poppy, Stylomecon heterophyllum, Papaver heterophyllum +n11908846 celandine poppy, wood poppy, Stylophorum diphyllum +n11909864 climbing fumitory, Allegheny vine, Adlumia fungosa, Fumaria fungosa +n11910271 bleeding heart, lyreflower, lyre-flower, Dicentra spectabilis +n11910460 Dutchman's breeches, Dicentra cucullaria +n11910666 squirrel corn, Dicentra canadensis +n11915214 composite, composite plant +n11915658 compass plant, compass flower +n11915899 everlasting, everlasting flower +n11916467 achillea +n11916696 yarrow, milfoil, Achillea millefolium +n11917407 pink-and-white everlasting, pink paper daisy, Acroclinium roseum +n11917835 white snakeroot, white sanicle, Ageratina altissima, Eupatorium rugosum +n11918286 ageratum +n11918473 common ageratum, Ageratum houstonianum +n11918808 sweet sultan, Amberboa moschata, Centaurea moschata +n11919447 ragweed, ambrosia, bitterweed +n11919761 common ragweed, Ambrosia artemisiifolia +n11919975 great ragweed, Ambrosia trifida +n11920133 western ragweed, perennial ragweed, Ambrosia psilostachya +n11920498 ammobium +n11920663 winged everlasting, Ammobium alatum +n11920998 pellitory, pellitory-of-Spain, Anacyclus pyrethrum +n11921395 pearly everlasting, cottonweed, Anaphalis margaritacea +n11921792 andryala +n11922661 plantain-leaved pussytoes +n11922755 field pussytoes +n11922839 solitary pussytoes +n11922926 mountain everlasting +n11923174 mayweed, dog fennel, stinking mayweed, stinking chamomile, Anthemis cotula +n11923397 yellow chamomile, golden marguerite, dyers' chamomile, Anthemis tinctoria +n11923637 corn chamomile, field chamomile, corn mayweed, Anthemis arvensis +n11924014 woolly daisy, dwarf daisy, Antheropeas wallacei, Eriophyllum wallacei +n11924445 burdock, clotbur +n11924849 great burdock, greater burdock, cocklebur, Arctium lappa +n11925303 African daisy +n11925450 blue-eyed African daisy, Arctotis stoechadifolia, Arctotis venusta +n11925898 marguerite, marguerite daisy, Paris daisy, Chrysanthemum frutescens, Argyranthemum frutescens +n11926365 silversword, Argyroxiphium sandwicense +n11926833 arnica +n11926976 heartleaf arnica, Arnica cordifolia +n11927215 Arnica montana +n11927740 lamb succory, dwarf nipplewort, Arnoseris minima +n11928352 artemisia +n11928858 mugwort +n11929743 sweet wormwood, Artemisia annua +n11930038 field wormwood, Artemisia campestris +n11930203 tarragon, estragon, Artemisia dracunculus +n11930353 sand sage, silvery wormwood, Artemisia filifolia +n11930571 wormwood sage, prairie sagewort, Artemisia frigida +n11930788 western mugwort, white sage, cudweed, prairie sage, Artemisia ludoviciana, Artemisia gnaphalodes +n11930994 Roman wormwood, Artemis pontica +n11931135 bud brush, bud sagebrush, Artemis spinescens +n11931540 common mugwort, Artemisia vulgaris +n11931918 aster +n11932745 wood aster +n11932927 whorled aster, Aster acuminatus +n11933099 heath aster, Aster arenosus +n11933257 heart-leaved aster, Aster cordifolius +n11933387 white wood aster, Aster divaricatus +n11933546 bushy aster, Aster dumosus +n11933728 heath aster, Aster ericoides +n11933903 white prairie aster, Aster falcatus +n11934041 stiff aster, Aster linarifolius +n11934239 goldilocks, goldilocks aster, Aster linosyris, Linosyris vulgaris +n11934463 large-leaved aster, Aster macrophyllus +n11934616 New England aster, Aster novae-angliae +n11934807 Michaelmas daisy, New York aster, Aster novi-belgii +n11935027 upland white aster, Aster ptarmicoides +n11935187 Short's aster, Aster shortii +n11935330 sea aster, sea starwort, Aster tripolium +n11935469 prairie aster, Aster turbinellis +n11935627 annual salt-marsh aster +n11935715 aromatic aster +n11935794 arrow leaved aster +n11935877 azure aster +n11935953 bog aster +n11936027 crooked-stemmed aster +n11936113 Eastern silvery aster +n11936199 flat-topped white aster +n11936287 late purple aster +n11936369 panicled aster +n11936448 perennial salt marsh aster +n11936539 purple-stemmed aster +n11936624 rough-leaved aster +n11936707 rush aster +n11936782 Schreiber's aster +n11936864 small white aster +n11936946 smooth aster +n11937023 southern aster +n11937102 starved aster, calico aster +n11937195 tradescant's aster +n11937278 wavy-leaved aster +n11937360 Western silvery aster +n11937446 willow aster +n11937692 ayapana, Ayapana triplinervis, Eupatorium aya-pana +n11938556 mule fat, Baccharis viminea +n11939180 balsamroot +n11939491 daisy +n11939699 common daisy, English daisy, Bellis perennis +n11940006 bur marigold, burr marigold, beggar-ticks, beggar's-ticks, sticktight +n11940349 Spanish needles, Bidens bipinnata +n11940599 tickseed sunflower, Bidens coronata, Bidens trichosperma +n11940750 European beggar-ticks, trifid beggar-ticks, trifid bur marigold, Bidens tripartita +n11941094 slender knapweed +n11941478 false chamomile +n11941924 Swan River daisy, Brachycome Iberidifolia +n11942659 woodland oxeye, Buphthalmum salicifolium +n11943133 Indian plantain +n11943407 calendula +n11943660 common marigold, pot marigold, ruddles, Scotch marigold, Calendula officinalis +n11943992 China aster, Callistephus chinensis +n11944196 thistle +n11944751 welted thistle, Carduus crispus +n11944954 musk thistle, nodding thistle, Carduus nutans +n11945367 carline thistle +n11945514 stemless carline thistle, Carlina acaulis +n11945783 common carline thistle, Carlina vulgaris +n11946051 safflower, false saffron, Carthamus tinctorius +n11946313 safflower seed +n11946727 catananche +n11946918 blue succory, cupid's dart, Catananche caerulea +n11947251 centaury +n11947629 dusty miller, Centaurea cineraria, Centaurea gymnocarpa +n11947802 cornflower, bachelor's button, bluebottle, Centaurea cyanus +n11948044 star-thistle, caltrop, Centauria calcitrapa +n11948264 knapweed +n11948469 sweet sultan, Centaurea imperialis +n11948864 great knapweed, greater knapweed, Centaurea scabiosa +n11949015 Barnaby's thistle, yellow star-thistle, Centaurea solstitialis +n11949402 chamomile, camomile, Chamaemelum nobilis, Anthemis nobilis +n11949857 chaenactis +n11950345 chrysanthemum +n11950686 corn marigold, field marigold, Chrysanthemum segetum +n11950877 crown daisy, Chrysanthemum coronarium +n11951052 chop-suey greens, tong ho, shun giku, Chrysanthemum coronarium spatiosum +n11951511 golden aster +n11951820 Maryland golden aster, Chrysopsis mariana +n11952346 goldenbush +n11952541 rabbit brush, rabbit bush, Chrysothamnus nauseosus +n11953038 chicory, succory, chicory plant, Cichorium intybus +n11953339 endive, witloof, Cichorium endivia +n11953610 chicory, chicory root +n11953884 plume thistle, plumed thistle +n11954161 Canada thistle, creeping thistle, Cirsium arvense +n11954345 field thistle, Cirsium discolor +n11954484 woolly thistle, Cirsium flodmanii +n11954642 European woolly thistle, Cirsium eriophorum +n11954798 melancholy thistle, Cirsium heterophylum, Cirsium helenioides +n11955040 brook thistle, Cirsium rivulare +n11955153 bull thistle, boar thistle, spear thistle, Cirsium vulgare, Cirsium lanceolatum +n11955532 blessed thistle, sweet sultan, Cnicus benedictus +n11955896 mistflower, mist-flower, ageratum, Conoclinium coelestinum, Eupatorium coelestinum +n11956348 horseweed, Canadian fleabane, fleabane, Conyza canadensis, Erigeron canadensis +n11956850 coreopsis, tickseed, tickweed, tick-weed +n11957317 giant coreopsis, Coreopsis gigantea +n11957514 sea dahlia, Coreopsis maritima +n11957678 calliopsis, Coreopsis tinctoria +n11958080 cosmos, cosmea +n11958499 brass buttons, Cotula coronopifolia +n11958888 billy buttons +n11959259 hawk's-beard, hawk's-beards +n11959632 artichoke, globe artichoke, artichoke plant, Cynara scolymus +n11959862 cardoon, Cynara cardunculus +n11960245 dahlia, Dahlia pinnata +n11960673 German ivy, Delairea odorata, Senecio milkanioides +n11961100 florist's chrysanthemum, florists' chrysanthemum, mum, Dendranthema grandifloruom, Chrysanthemum morifolium +n11961446 cape marigold, sun marigold, star of the veldt +n11961871 leopard's-bane, leopardbane +n11962272 coneflower +n11962667 globe thistle +n11962994 elephant's-foot +n11963572 tassel flower, Emilia sagitta +n11963932 brittlebush, brittle bush, incienso, Encelia farinosa +n11964446 sunray, Enceliopsis nudicaulis +n11964848 engelmannia +n11965218 fireweed, Erechtites hieracifolia +n11965627 fleabane +n11965962 blue fleabane, Erigeron acer +n11966083 daisy fleabane, Erigeron annuus +n11966215 orange daisy, orange fleabane, Erigeron aurantiacus +n11966385 spreading fleabane, Erigeron divergens +n11966617 seaside daisy, beach aster, Erigeron glaucous +n11966896 Philadelphia fleabane, Erigeron philadelphicus +n11967142 robin's plantain, Erigeron pulchellus +n11967315 showy daisy, Erigeron speciosus +n11967744 woolly sunflower +n11967878 golden yarrow, Eriophyllum lanatum +n11968519 dog fennel, Eupatorium capillifolium +n11968704 Joe-Pye weed, spotted Joe-Pye weed, Eupatorium maculatum +n11968931 boneset, agueweed, thoroughwort, Eupatorium perfoliatum +n11969166 Joe-Pye weed, purple boneset, trumpet weed, marsh milkweed, Eupatorium purpureum +n11969607 blue daisy, blue marguerite, Felicia amelloides +n11969806 kingfisher daisy, Felicia bergeriana +n11970101 cotton rose, cudweed, filago +n11970298 herba impia, Filago germanica +n11970586 gaillardia +n11971248 gazania +n11971406 treasure flower, Gazania rigens +n11971783 African daisy +n11971927 Barberton daisy, Transvaal daisy, Gerbera jamesonii +n11972291 desert sunflower, Gerea canescens +n11972759 cudweed +n11972959 chafeweed, wood cudweed, Gnaphalium sylvaticum +n11973341 gumweed, gum plant, tarweed, rosinweed +n11973634 Grindelia robusta +n11973749 curlycup gumweed, Grindelia squarrosa +n11974373 little-head snakeweed, Gutierrezia microcephala +n11974557 rabbitweed, rabbit-weed, snakeweed, broom snakeweed, broom snakeroot, turpentine weed, Gutierrezia sarothrae +n11974888 broomweed, broom-weed, Gutierrezia texana +n11975254 velvet plant, purple velvet plant, royal velvet plant, Gynura aurantiaca +n11976170 goldenbush +n11976314 camphor daisy, Haplopappus phyllocephalus +n11976511 yellow spiny daisy, Haplopappus spinulosus +n11976933 hoary golden bush, Hazardia cana +n11977303 sneezeweed +n11977660 orange sneezeweed, owlclaws, Helenium hoopesii +n11977887 rosilla, Helenium puberulum +n11978233 sunflower, helianthus +n11978551 swamp sunflower, Helianthus angustifolius +n11978713 common sunflower, mirasol, Helianthus annuus +n11978961 giant sunflower, tall sunflower, Indian potato, Helianthus giganteus +n11979187 showy sunflower, Helianthus laetiflorus +n11979354 Maximilian's sunflower, Helianthus maximilianii +n11979527 prairie sunflower, Helianthus petiolaris +n11979715 Jerusalem artichoke, girasol, Jerusalem artichoke sunflower, Helianthus tuberosus +n11979964 Jerusalem artichoke +n11980318 strawflower, golden everlasting, yellow paper daisy, Helichrysum bracteatum +n11980682 heliopsis, oxeye +n11981192 strawflower +n11981475 hairy golden aster, prairie golden aster, Heterotheca villosa, Chrysopsis villosa +n11982115 hawkweed +n11982545 rattlesnake weed, Hieracium venosum +n11982939 alpine coltsfoot, Homogyne alpina, Tussilago alpina +n11983375 alpine gold, alpine hulsea, Hulsea algida +n11983606 dwarf hulsea, Hulsea nana +n11984144 cat's-ear, California dandelion, capeweed, gosmore, Hypochaeris radicata +n11984542 inula +n11985053 marsh elder, iva +n11985321 burweed marsh elder, false ragweed, Iva xanthifolia +n11985739 krigia +n11985903 dwarf dandelion, Krigia dandelion, Krigia bulbosa +n11986511 garden lettuce, common lettuce, Lactuca sativa +n11986729 cos lettuce, romaine lettuce, Lactuca sativa longifolia +n11987126 leaf lettuce, Lactuca sativa crispa +n11987349 celtuce, stem lettuce, Lactuca sativa asparagina +n11987511 prickly lettuce, horse thistle, Lactuca serriola, Lactuca scariola +n11988132 goldfields, Lasthenia chrysostoma +n11988596 tidytips, tidy tips, Layia platyglossa +n11988893 hawkbit +n11989087 fall dandelion, arnica bud, Leontodon autumnalis +n11989393 edelweiss, Leontopodium alpinum +n11989869 oxeye daisy, ox-eyed daisy, marguerite, moon daisy, white daisy, Leucanthemum vulgare, Chrysanthemum leucanthemum +n11990167 oxeye daisy, Leucanthemum maximum, Chrysanthemum maximum +n11990313 shasta daisy, Leucanthemum superbum, Chrysanthemum maximum maximum +n11990627 Pyrenees daisy, Leucanthemum lacustre, Chrysanthemum lacustre +n11990920 north island edelweiss, Leucogenes leontopodium +n11991263 blazing star, button snakeroot, gayfeather, gay-feather, snakeroot +n11991549 dotted gayfeather, Liatris punctata +n11991777 dense blazing star, Liatris pycnostachya +n11992479 Texas star, Lindheimera texana +n11992806 African daisy, yellow ageratum, Lonas inodora, Lonas annua +n11993203 tahoka daisy, tansy leaf aster, Machaeranthera tanacetifolia +n11993444 sticky aster, Machaeranthera bigelovii +n11993675 Mojave aster, Machaeranthera tortifoloia +n11994150 tarweed +n11995092 sweet false chamomile, wild chamomile, German chamomile, Matricaria recutita, Matricaria chamomilla +n11995396 pineapple weed, rayless chamomile, Matricaria matricarioides +n11996251 climbing hempweed, climbing boneset, wild climbing hempweed, climbing hemp-vine, Mikania scandens +n11996677 mutisia +n11997032 rattlesnake root +n11997160 white lettuce, cankerweed, Nabalus alba, Prenanthes alba +n11997969 daisybush, daisy-bush, daisy bush +n11998492 New Zealand daisybush, Olearia haastii +n11998888 cotton thistle, woolly thistle, Scotch thistle, Onopordum acanthium, Onopordon acanthium +n11999278 othonna +n11999656 cascade everlasting, Ozothamnus secundiflorus, Helichrysum secundiflorum +n12000191 butterweed +n12001294 American feverfew, wild quinine, prairie dock, Parthenium integrifolium +n12001707 cineraria, Pericallis cruenta, Senecio cruentus +n12001924 florest's cineraria, Pericallis hybrida +n12002428 butterbur, bog rhubarb, Petasites hybridus, Petasites vulgaris +n12002651 winter heliotrope, sweet coltsfoot, Petasites fragrans +n12002826 sweet coltsfoot, Petasites sagitattus +n12003167 oxtongue, bristly oxtongue, bitterweed, bugloss, Picris echioides +n12003696 hawkweed +n12004120 mouse-ear hawkweed, Pilosella officinarum, Hieracium pilocella +n12004547 stevia +n12004987 rattlesnake root, Prenanthes purpurea +n12005656 fleabane, feabane mullet, Pulicaria dysenterica +n12006306 sheep plant, vegetable sheep, Raoulia lutescens, Raoulia australis +n12006766 coneflower +n12006930 Mexican hat, Ratibida columnaris +n12007196 long-head coneflower, prairie coneflower, Ratibida columnifera +n12007406 prairie coneflower, Ratibida tagetes +n12007766 Swan River everlasting, rhodanthe, Rhodanthe manglesii, Helipterum manglesii +n12008252 coneflower +n12008487 black-eyed Susan, Rudbeckia hirta, Rudbeckia serotina +n12008749 cutleaved coneflower, Rudbeckia laciniata +n12009047 golden glow, double gold, hortensia, Rudbeckia laciniata hortensia +n12009420 lavender cotton, Santolina chamaecyparissus +n12009792 creeping zinnia, Sanvitalia procumbens +n12010628 golden thistle +n12010815 Spanish oyster plant, Scolymus hispanicus +n12011370 nodding groundsel, Senecio bigelovii +n12011620 dusty miller, Senecio cineraria, Cineraria maritima +n12012111 butterweed, ragwort, Senecio glabellus +n12012253 ragwort, tansy ragwort, ragweed, benweed, Senecio jacobaea +n12012510 arrowleaf groundsel, Senecio triangularis +n12013035 black salsify, viper's grass, scorzonera, Scorzonera hispanica +n12013511 white-topped aster +n12013701 narrow-leaved white-topped aster +n12014085 silver sage, silver sagebrush, grey sage, gray sage, Seriphidium canum, Artemisia cana +n12014355 sea wormwood, Seriphidium maritimum, Artemisia maritima +n12014923 sawwort, Serratula tinctoria +n12015221 rosinweed, Silphium laciniatum +n12015525 milk thistle, lady's thistle, Our Lady's mild thistle, holy thistle, blessed thistle, Silybum marianum +n12015959 goldenrod +n12016434 silverrod, Solidago bicolor +n12016567 meadow goldenrod, Canadian goldenrod, Solidago canadensis +n12016777 Missouri goldenrod, Solidago missouriensis +n12016914 alpine goldenrod, Solidago multiradiata +n12017127 grey goldenrod, gray goldenrod, Solidago nemoralis +n12017326 Blue Mountain tea, sweet goldenrod, Solidago odora +n12017511 dyer's weed, Solidago rugosa +n12017664 seaside goldenrod, beach goldenrod, Solidago sempervirens +n12017853 narrow goldenrod, Solidago spathulata +n12018014 Boott's goldenrod +n12018100 Elliott's goldenrod +n12018188 Ohio goldenrod +n12018271 rough-stemmed goldenrod +n12018363 showy goldenrod +n12018447 tall goldenrod +n12018530 zigzag goldenrod, broad leaved goldenrod +n12018760 sow thistle, milk thistle +n12019035 milkweed, Sonchus oleraceus +n12019827 stevia +n12020184 stokes' aster, cornflower aster, Stokesia laevis +n12020507 marigold +n12020736 African marigold, big marigold, Aztec marigold, Tagetes erecta +n12020941 French marigold, Tagetes patula +n12022054 painted daisy, pyrethrum, Tanacetum coccineum, Chrysanthemum coccineum +n12022382 pyrethrum, Dalmatian pyrethrum, Dalmatia pyrethrum, Tanacetum cinerariifolium, Chrysanthemum cinerariifolium +n12022821 northern dune tansy, Tanacetum douglasii +n12023108 feverfew, Tanacetum parthenium, Chrysanthemum parthenium +n12023407 dusty miller, silver-lace, silver lace, Tanacetum ptarmiciflorum, Chrysanthemum ptarmiciflorum +n12023726 tansy, golden buttons, scented fern, Tanacetum vulgare +n12024176 dandelion, blowball +n12024445 common dandelion, Taraxacum ruderalia, Taraxacum officinale +n12024690 dandelion green +n12024805 Russian dandelion, kok-saghyz, kok-sagyz, Taraxacum kok-saghyz +n12025220 stemless hymenoxys, Tetraneuris acaulis, Hymenoxys acaulis +n12026018 Mexican sunflower, tithonia +n12026476 Easter daisy, stemless daisy, Townsendia Exscapa +n12026981 yellow salsify, Tragopogon dubius +n12027222 salsify, oyster plant, vegetable oyster, Tragopogon porrifolius +n12027658 meadow salsify, goatsbeard, shepherd's clock, Tragopogon pratensis +n12028424 scentless camomile, scentless false camomile, scentless mayweed, scentless hayweed, corn mayweed, Tripleurospermum inodorum, Matricaria inodorum +n12029039 turfing daisy, Tripleurospermum tchihatchewii, Matricaria tchihatchewii +n12029635 coltsfoot, Tussilago farfara +n12030092 ursinia +n12030654 crownbeard, crown-beard, crown beard +n12030908 wingstem, golden ironweed, yellow ironweed, golden honey plant, Verbesina alternifolia, Actinomeris alternifolia +n12031139 cowpen daisy, golden crownbeard, golden crown beard, butter daisy, Verbesina encelioides, Ximenesia encelioides +n12031388 gravelweed, Verbesina helianthoides +n12031547 Virginia crownbeard, frostweed, frost-weed, Verbesina virginica +n12031927 ironweed, vernonia +n12032429 mule's ears, Wyethia amplexicaulis +n12032686 white-rayed mule's ears, Wyethia helianthoides +n12033139 cocklebur, cockle-bur, cockleburr, cockle-burr +n12033504 xeranthemum +n12033709 immortelle, Xeranthemum annuum +n12034141 zinnia, old maid, old maid flower +n12034384 white zinnia, Zinnia acerosa +n12034594 little golden zinnia, Zinnia grandiflora +n12035631 blazing star, Mentzelia livicaulis, Mentzelia laevicaulis +n12035907 bartonia, Mentzelia lindleyi +n12036067 achene +n12036226 samara, key fruit, key +n12036939 campanula, bellflower +n12037499 creeping bellflower, Campanula rapunculoides +n12037691 Canterbury bell, cup and saucer, Campanula medium +n12038038 tall bellflower, Campanula americana +n12038208 marsh bellflower, Campanula aparinoides +n12038406 clustered bellflower, Campanula glomerata +n12038585 peach bells, peach bell, willow bell, Campanula persicifolia +n12038760 chimney plant, chimney bellflower, Campanula pyramidalis +n12038898 rampion, rampion bellflower, Campanula rapunculus +n12039317 tussock bellflower, spreading bellflower, Campanula carpatica +n12041446 orchid, orchidaceous plant +n12043444 orchis +n12043673 male orchis, early purple orchid, Orchis mascula +n12043836 butterfly orchid, butterfly orchis, Orchis papilionaceae +n12044041 showy orchis, purple orchis, purple-hooded orchis, Orchis spectabilis +n12044467 aerides +n12044784 angrecum +n12045157 jewel orchid +n12045514 puttyroot, adam-and-eve, Aplectrum hyemale +n12045860 arethusa +n12046028 bog rose, wild pink, dragon's mouth, Arethusa bulbosa +n12046428 bletia +n12046815 Bletilla striata, Bletia striata +n12047345 brassavola +n12047884 spider orchid, Brassia lawrenceana +n12048056 spider orchid, Brassia verrucosa +n12048399 caladenia +n12048928 calanthe +n12049282 grass pink, Calopogon pulchellum, Calopogon tuberosum +n12049562 calypso, fairy-slipper, Calypso bulbosa +n12050533 cattleya +n12050959 helleborine +n12051103 red helleborine, Cephalanthera rubra +n12051514 spreading pogonia, funnel-crest rosebud orchid, Cleistes divaricata, Pogonia divaricata +n12051792 rosebud orchid, Cleistes rosea, Pogonia rosea +n12052267 satyr orchid, Coeloglossum bracteatum +n12052447 frog orchid, Coeloglossum viride +n12052787 coelogyne +n12053405 coral root +n12053690 spotted coral root, Corallorhiza maculata +n12053962 striped coral root, Corallorhiza striata +n12054195 early coral root, pale coral root, Corallorhiza trifida +n12055073 swan orchid, swanflower, swan-flower, swanneck, swan-neck +n12055516 cymbid, cymbidium +n12056099 cypripedia +n12056217 lady's slipper, lady-slipper, ladies' slipper, slipper orchid +n12056601 moccasin flower, nerveroot, Cypripedium acaule +n12056758 common lady's-slipper, showy lady's-slipper, showy lady slipper, Cypripedium reginae, Cypripedium album +n12056990 ram's-head, ram's-head lady's slipper, Cypripedium arietinum +n12057211 yellow lady's slipper, yellow lady-slipper, Cypripedium calceolus, Cypripedium parviflorum +n12057447 large yellow lady's slipper, Cypripedium calceolus pubescens +n12057660 California lady's slipper, Cypripedium californicum +n12057895 clustered lady's slipper, Cypripedium fasciculatum +n12058192 mountain lady's slipper, Cypripedium montanum +n12058630 marsh orchid +n12058822 common spotted orchid, Dactylorhiza fuchsii, Dactylorhiza maculata fuchsii +n12059314 dendrobium +n12059625 disa +n12060546 phantom orchid, snow orchid, Eburophyton austinae +n12061104 tulip orchid, Encyclia citrina, Cattleya citrina +n12061380 butterfly orchid, Encyclia tampensis, Epidendrum tampense +n12061614 butterfly orchid, butterfly orchis, Epidendrum venosum, Encyclia venosa +n12062105 epidendron +n12062468 helleborine +n12062626 Epipactis helleborine +n12062781 stream orchid, chatterbox, giant helleborine, Epipactis gigantea +n12063211 tongueflower, tongue-flower +n12063639 rattlesnake plantain, helleborine +n12064389 fragrant orchid, Gymnadenia conopsea +n12064591 short-spurred fragrant orchid, Gymnadenia odoratissima +n12065316 fringed orchis, fringed orchid +n12065649 frog orchid +n12065777 rein orchid, rein orchis +n12066018 bog rein orchid, bog candles, Habenaria dilatata +n12066261 white fringed orchis, white fringed orchid, Habenaria albiflora +n12066451 elegant Habenaria, Habenaria elegans +n12066630 purple-fringed orchid, purple-fringed orchis, Habenaria fimbriata +n12066821 coastal rein orchid, Habenaria greenei +n12067029 Hooker's orchid, Habenaria hookeri +n12067193 ragged orchid, ragged orchis, ragged-fringed orchid, green fringed orchis, Habenaria lacera +n12067433 prairie orchid, prairie white-fringed orchis, Habenaria leucophaea +n12067672 snowy orchid, Habenaria nivea +n12067817 round-leaved rein orchid, Habenaria orbiculata +n12068138 purple fringeless orchid, purple fringeless orchis, Habenaria peramoena +n12068432 purple-fringed orchid, purple-fringed orchis, Habenaria psycodes +n12068615 Alaska rein orchid, Habenaria unalascensis +n12069009 crested coral root, Hexalectris spicata +n12069217 Texas purple spike, Hexalectris warnockii +n12069679 lizard orchid, Himantoglossum hircinum +n12070016 laelia +n12070381 liparis +n12070583 twayblade +n12070712 fen orchid, fen orchis, Liparis loeselii +n12071259 broad-leaved twayblade, Listera convallarioides +n12071477 lesser twayblade, Listera cordata +n12071744 twayblade, Listera ovata +n12072210 green adder's mouth, Malaxis-unifolia, Malaxis ophioglossoides +n12072722 masdevallia +n12073217 maxillaria +n12073554 pansy orchid +n12073991 odontoglossum +n12074408 oncidium, dancing lady orchid, butterfly plant, butterfly orchid +n12074867 bee orchid, Ophrys apifera +n12075010 fly orchid, Ophrys insectifera, Ophrys muscifera +n12075151 spider orchid +n12075299 early spider orchid, Ophrys sphegodes +n12075830 Venus' slipper, Venus's slipper, Venus's shoe +n12076223 phaius +n12076577 moth orchid, moth plant +n12076852 butterfly plant, Phalaenopsis amabilis +n12077244 rattlesnake orchid +n12077944 lesser butterfly orchid, Platanthera bifolia, Habenaria bifolia +n12078172 greater butterfly orchid, Platanthera chlorantha, Habenaria chlorantha +n12078451 prairie white-fringed orchid, Platanthera leucophea +n12078747 tangle orchid +n12079120 Indian crocus +n12079523 pleurothallis +n12079963 pogonia +n12080395 butterfly orchid +n12080588 Psychopsis krameriana, Oncidium papilio kramerianum +n12080820 Psychopsis papilio, Oncidium papilio +n12081215 helmet orchid, greenhood +n12081649 foxtail orchid +n12082131 orange-blossom orchid, Sarcochilus falcatus +n12083113 sobralia +n12083591 ladies' tresses, lady's tresses +n12083847 screw augur, Spiranthes cernua +n12084158 hooded ladies' tresses, Spiranthes romanzoffiana +n12084400 western ladies' tresses, Spiranthes porrifolia +n12084555 European ladies' tresses, Spiranthes spiralis +n12084890 stanhopea +n12085267 stelis +n12085664 fly orchid +n12086012 vanda +n12086192 blue orchid, Vanda caerulea +n12086539 vanilla +n12086778 vanilla orchid, Vanilla planifolia +n12087961 yam, yam plant +n12088223 yam +n12088327 white yam, water yam, Dioscorea alata +n12088495 cinnamon vine, Chinese yam, Dioscorea batata +n12088909 elephant's-foot, tortoise plant, Hottentot bread vine, Hottentot's bread vine, Dioscorea elephantipes +n12089320 wild yam, Dioscorea paniculata +n12089496 cush-cush, Dioscorea trifida +n12089846 black bryony, black bindweed, Tamus communis +n12090890 primrose, primula +n12091213 English primrose, Primula vulgaris +n12091377 cowslip, paigle, Primula veris +n12091550 oxlip, paigle, Primula elatior +n12091697 Chinese primrose, Primula sinensis +n12091953 polyanthus, Primula polyantha +n12092262 pimpernel +n12092417 scarlet pimpernel, red pimpernel, poor man's weatherglass, Anagallis arvensis +n12092629 bog pimpernel, Anagallis tenella +n12092930 chaffweed, bastard pimpernel, false pimpernel +n12093329 cyclamen, Cyclamen purpurascens +n12093600 sowbread, Cyclamen hederifolium, Cyclamen neopolitanum +n12093885 sea milkwort, sea trifoly, black saltwort, Glaux maritima +n12094244 featherfoil, feather-foil +n12094401 water gillyflower, American featherfoil, Hottonia inflata +n12094612 water violet, Hottonia palustris +n12095020 loosestrife +n12095281 gooseneck loosestrife, Lysimachia clethroides Duby +n12095412 yellow pimpernel, Lysimachia nemorum +n12095543 fringed loosestrife, Lysimachia ciliatum +n12095647 moneywort, creeping Jenny, creeping Charlie, Lysimachia nummularia +n12095934 swamp candles, Lysimachia terrestris +n12096089 whorled loosestrife, Lysimachia quadrifolia +n12096395 water pimpernel +n12096563 brookweed, Samolus valerandii +n12096674 brookweed, Samolus parviflorus, Samolus floribundus +n12097396 coralberry, spiceberry, Ardisia crenata +n12097556 marlberry, Ardisia escallonoides, Ardisia paniculata +n12098403 plumbago +n12098524 leadwort, Plumbago europaea +n12098827 thrift +n12099342 sea lavender, marsh rosemary, statice +n12100187 barbasco, joewood, Jacquinia keyensis +n12101870 gramineous plant, graminaceous plant +n12102133 grass +n12103680 midgrass +n12103894 shortgrass, short-grass +n12104104 sword grass +n12104238 tallgrass, tall-grass +n12104501 herbage, pasturage +n12104734 goat grass, Aegilops triuncalis +n12105125 wheatgrass, wheat-grass +n12105353 crested wheatgrass, crested wheat grass, fairway crested wheat grass, Agropyron cristatum +n12105828 bearded wheatgrass, Agropyron subsecundum +n12105981 western wheatgrass, bluestem wheatgrass, Agropyron smithii +n12106134 intermediate wheatgrass, Agropyron intermedium, Elymus hispidus +n12106323 slender wheatgrass, Agropyron trachycaulum, Agropyron pauciflorum, Elymus trachycaulos +n12107002 velvet bent, velvet bent grass, brown bent, Rhode Island bent, dog bent, Agrostis canina +n12107191 cloud grass, Agrostis nebulosa +n12107710 meadow foxtail, Alopecurus pratensis +n12107970 foxtail, foxtail grass +n12108432 broom grass +n12108613 broom sedge, Andropogon virginicus +n12108871 tall oat grass, tall meadow grass, evergreen grass, false oat, French rye, Arrhenatherum elatius +n12109365 toetoe, toitoi, Arundo conspicua, Chionochloa conspicua +n12109827 oat +n12110085 cereal oat, Avena sativa +n12110236 wild oat, wild oat grass, Avena fatua +n12110352 slender wild oat, Avena barbata +n12110475 wild red oat, animated oat, Avene sterilis +n12110778 brome, bromegrass +n12111238 chess, cheat, Bromus secalinus +n12111627 field brome, Bromus arvensis +n12112008 grama, grama grass, gramma, gramma grass +n12112337 black grama, Bouteloua eriopoda +n12112609 buffalo grass, Buchloe dactyloides +n12112918 reed grass +n12113195 feather reed grass, feathertop, Calamagrostis acutiflora +n12113323 Australian reed grass, Calamagrostic quadriseta +n12113657 burgrass, bur grass +n12114010 buffel grass, Cenchrus ciliaris, Pennisetum cenchroides +n12114590 Rhodes grass, Chloris gayana +n12115180 pampas grass, Cortaderia selloana +n12116058 giant star grass, Cynodon plectostachyum +n12116429 orchard grass, cocksfoot, cockspur, Dactylis glomerata +n12116734 Egyptian grass, crowfoot grass, Dactyloctenium aegypticum +n12117017 crabgrass, crab grass, finger grass +n12117235 smooth crabgrass, Digitaria ischaemum +n12117326 large crabgrass, hairy finger grass, Digitaria sanguinalis +n12117695 barnyard grass, barn grass, barn millet, Echinochloa crusgalli +n12117912 Japanese millet, billion-dollar grass, Japanese barnyard millet, sanwa millet, Echinochloa frumentacea +n12118414 yardgrass, yard grass, wire grass, goose grass, Eleusine indica +n12118661 finger millet, ragi, ragee, African millet, coracan, corakan, kurakkan, Eleusine coracana +n12119099 lyme grass +n12119238 wild rye +n12119390 giant ryegrass, Elymus condensatus, Leymus condensatus +n12119539 sea lyme grass, European dune grass, Elymus arenarius, Leymus arenaria +n12119717 Canada wild rye, Elymus canadensis +n12120347 teff, teff grass, Eragrostis tef, Eragrostic abyssinica +n12120578 weeping love grass, African love grass, Eragrostis curvula +n12121033 plume grass +n12121187 Ravenna grass, wool grass, Erianthus ravennae +n12121610 fescue, fescue grass, meadow fescue, Festuca elatior +n12122442 reed meadow grass, Glyceria grandis +n12122725 velvet grass, Yorkshire fog, Holcus lanatus +n12122918 creeping soft grass, Holcus mollis +n12123648 barleycorn +n12123741 barley grass, wall barley, Hordeum murinum +n12124172 little barley, Hordeum pusillum +n12124627 rye grass, ryegrass +n12124818 perennial ryegrass, English ryegrass, Lolium perenne +n12125001 Italian ryegrass, Italian rye, Lolium multiflorum +n12125183 darnel, tare, bearded darnel, cheat, Lolium temulentum +n12125584 nimblewill, nimble Will, Muhlenbergia schreberi +n12126084 cultivated rice, Oryza sativa +n12126360 ricegrass, rice grass +n12126736 smilo, smilo grass, Oryzopsis miliacea +n12127460 switch grass, Panicum virgatum +n12127575 broomcorn millet, hog millet, Panicum miliaceum +n12127768 goose grass, Texas millet, Panicum Texanum +n12128071 dallisgrass, dallis grass, paspalum, Paspalum dilatatum +n12128306 Bahia grass, Paspalum notatum +n12128490 knotgrass, Paspalum distichum +n12129134 fountain grass, Pennisetum ruppelii, Pennisetum setaceum +n12129738 reed canary grass, gardener's garters, lady's laces, ribbon grass, Phalaris arundinacea +n12129986 canary grass, birdseed grass, Phalaris canariensis +n12130549 timothy, herd's grass, Phleum pratense +n12131405 bluegrass, blue grass +n12131550 meadowgrass, meadow grass +n12132092 wood meadowgrass, Poa nemoralis, Agrostis alba +n12132956 noble cane +n12133151 munj, munja, Saccharum bengalense, Saccharum munja +n12133462 broom beard grass, prairie grass, wire grass, Andropogon scoparius, Schizachyrium scoparium +n12133682 bluestem, blue stem, Andropogon furcatus, Andropogon gerardii +n12134025 rye, Secale cereale +n12134486 bristlegrass, bristle grass +n12134695 giant foxtail +n12134836 yellow bristlegrass, yellow bristle grass, yellow foxtail, glaucous bristlegrass, Setaria glauca +n12135049 green bristlegrass, green foxtail, rough bristlegrass, bottle-grass, bottle grass, Setaria viridis +n12135576 Siberian millet, Setaria italica rubrofructa +n12135729 German millet, golden wonder millet, Setaria italica stramineofructa +n12135898 millet +n12136392 rattan, rattan cane +n12136581 malacca +n12136720 reed +n12137120 sorghum +n12137569 grain sorghum +n12137791 durra, doura, dourah, Egyptian corn, Indian millet, Guinea corn +n12137954 feterita, federita, Sorghum vulgare caudatum +n12138110 hegari +n12138248 kaoliang +n12138444 milo, milo maize +n12138578 shallu, Sorghum vulgare rosburghii +n12139196 broomcorn, Sorghum vulgare technicum +n12139575 cordgrass, cord grass +n12139793 salt reed grass, Spartina cynosuroides +n12139921 prairie cordgrass, freshwater cordgrass, slough grass, Spartina pectinmata +n12140511 smut grass, blackseed, carpet grass, Sporobolus poiretii +n12140759 sand dropseed, Sporobolus cryptandrus +n12140903 rush grass, rush-grass +n12141167 St. Augustine grass, Stenotaphrum secundatum, buffalo grass +n12141385 grain +n12141495 cereal, cereal grass +n12142085 wheat +n12142357 wheat berry +n12142450 durum, durum wheat, hard wheat, Triticum durum, Triticum turgidum, macaroni wheat +n12143065 spelt, Triticum spelta, Triticum aestivum spelta +n12143215 emmer, starch wheat, two-grain spelt, Triticum dicoccum +n12143405 wild wheat, wild emmer, Triticum dicoccum dicoccoides +n12143676 corn, maize, Indian corn, Zea mays +n12144313 mealie +n12144580 corn +n12144987 dent corn, Zea mays indentata +n12145148 flint corn, flint maize, Yankee corn, Zea mays indurata +n12145477 popcorn, Zea mays everta +n12146311 zoysia +n12146488 Manila grass, Japanese carpet grass, Zoysia matrella +n12146654 Korean lawn grass, Japanese lawn grass, Zoysia japonica +n12147226 bamboo +n12147835 common bamboo, Bambusa vulgaris +n12148757 giant bamboo, kyo-chiku, Dendrocalamus giganteus +n12150722 umbrella plant, umbrella sedge, Cyperus alternifolius +n12150969 chufa, yellow nutgrass, earth almond, ground almond, rush nut, Cyperus esculentus +n12151170 galingale, galangal, Cyperus longus +n12151615 nutgrass, nut grass, nutsedge, nut sedge, Cyperus rotundus +n12152031 sand sedge, sand reed, Carex arenaria +n12152251 cypress sedge, Carex pseudocyperus +n12152532 cotton grass, cotton rush +n12152722 common cotton grass, Eriophorum angustifolium +n12153033 hardstem bulrush, hardstemmed bulrush, Scirpus acutus +n12153224 wool grass, Scirpus cyperinus +n12153580 spike rush +n12153741 water chestnut, Chinese water chestnut, Eleocharis dulcis +n12153914 needle spike rush, needle rush, slender spike rush, hair grass, Eleocharis acicularis +n12154114 creeping spike rush, Eleocharis palustris +n12154773 pandanus, screw pine +n12155009 textile screw pine, lauhala, Pandanus tectorius +n12155583 cattail +n12155773 cat's-tail, bullrush, bulrush, nailrod, reed mace, reedmace, Typha latifolia +n12156679 bur reed +n12156819 grain, caryopsis +n12157056 kernel +n12157179 rye +n12157769 gourd, gourd vine +n12158031 gourd +n12158443 pumpkin, pumpkin vine, autumn pumpkin, Cucurbita pepo +n12158798 squash, squash vine +n12159055 summer squash, summer squash vine, Cucurbita pepo melopepo +n12159388 yellow squash +n12159555 marrow, marrow squash, vegetable marrow +n12159804 zucchini, courgette +n12159942 cocozelle, Italian vegetable marrow +n12160125 cymling, pattypan squash +n12160303 spaghetti squash +n12160490 winter squash, winter squash plant +n12160857 acorn squash +n12161056 hubbard squash, Cucurbita maxima +n12161285 turban squash, Cucurbita maxima turbaniformis +n12161577 buttercup squash +n12161744 butternut squash, Cucurbita maxima +n12161969 winter crookneck, winter crookneck squash, Cucurbita moschata +n12162181 cushaw, Cucurbita mixta, Cucurbita argyrosperma +n12162425 prairie gourd, prairie gourd vine, Missouri gourd, wild pumpkin, buffalo gourd, calabazilla, Cucurbita foetidissima +n12162758 prairie gourd +n12163035 bryony, briony +n12163279 white bryony, devil's turnip, Bryonia alba +n12164363 sweet melon, muskmelon, sweet melon vine, Cucumis melo +n12164656 cantaloupe, cantaloup, cantaloupe vine, cantaloup vine, Cucumis melo cantalupensis +n12164881 winter melon, Persian melon, honeydew melon, winter melon vine, Cucumis melo inodorus +n12165170 net melon, netted melon, nutmeg melon, Cucumis melo reticulatus +n12165384 cucumber, cucumber vine, Cucumis sativus +n12165758 squirting cucumber, exploding cucumber, touch-me-not, Ecballium elaterium +n12166128 bottle gourd, calabash, Lagenaria siceraria +n12166424 luffa, dishcloth gourd, sponge gourd, rag gourd, strainer vine +n12166793 loofah, vegetable sponge, Luffa cylindrica +n12166929 angled loofah, sing-kwa, Luffa acutangula +n12167075 loofa, loofah, luffa, loufah sponge +n12167436 balsam apple, Momordica balsamina +n12167602 balsam pear, Momordica charantia +n12168565 lobelia +n12169099 water lobelia, Lobelia dortmanna +n12170585 mallow +n12171098 musk mallow, mus rose, Malva moschata +n12171316 common mallow, Malva neglecta +n12171966 okra, gumbo, okra plant, lady's-finger, Abelmoschus esculentus, Hibiscus esculentus +n12172364 okra +n12172481 abelmosk, musk mallow, Abelmoschus moschatus, Hibiscus moschatus +n12172906 flowering maple +n12173069 velvetleaf, velvet-leaf, velvetweed, Indian mallow, butter-print, China jute, Abutilon theophrasti +n12173664 hollyhock +n12173912 rose mallow, Alcea rosea, Althea rosea +n12174311 althea, althaea, hollyhock +n12174521 marsh mallow, white mallow, Althea officinalis +n12174926 poppy mallow +n12175181 fringed poppy mallow, Callirhoe digitata +n12175370 purple poppy mallow, Callirhoe involucrata +n12175598 clustered poppy mallow, Callirhoe triangulata +n12176453 sea island cotton, tree cotton, Gossypium barbadense +n12176709 Levant cotton, Gossypium herbaceum +n12176953 upland cotton, Gossypium hirsutum +n12177129 Peruvian cotton, Gossypium peruvianum +n12177455 wild cotton, Arizona wild cotton, Gossypium thurberi +n12178129 kenaf, kanaf, deccan hemp, bimli, bimli hemp, Indian hemp, Bombay hemp, Hibiscus cannabinus +n12178780 sorrel tree, Hibiscus heterophyllus +n12178896 rose mallow, swamp mallow, common rose mallow, swamp rose mallow, Hibiscus moscheutos +n12179122 cotton rose, Confederate rose, Confederate rose mallow, Hibiscus mutabilis +n12179632 roselle, rozelle, sorrel, red sorrel, Jamaica sorrel, Hibiscus sabdariffa +n12180168 mahoe, majagua, mahagua, balibago, purau, Hibiscus tiliaceus +n12180456 flower-of-an-hour, flowers-of-an-hour, bladder ketmia, black-eyed Susan, Hibiscus trionum +n12180885 lacebark, ribbonwood, houhere, Hoheria populnea +n12181352 wild hollyhock, Iliamna remota, Sphaeralcea remota +n12181612 mountain hollyhock, Iliamna ruvularis, Iliamna acerifolia +n12182049 seashore mallow +n12182276 salt marsh mallow, Kosteletzya virginica +n12183026 chaparral mallow, Malacothamnus fasciculatus, Sphaeralcea fasciculata +n12183452 malope, Malope trifida +n12183816 false mallow +n12184095 waxmallow, wax mallow, sleeping hibiscus +n12184468 glade mallow, Napaea dioica +n12184912 pavonia +n12185254 ribbon tree, ribbonwood, Plagianthus regius, Plagianthus betulinus +n12185859 bush hibiscus, Radyera farragei, Hibiscus farragei +n12186352 Virginia mallow, Sida hermaphrodita +n12186554 Queensland hemp, jellyleaf, Sida rhombifolia +n12186839 Indian mallow, Sida spinosa +n12187247 checkerbloom, wild hollyhock, Sidalcea malviflora +n12187663 globe mallow, false mallow +n12187891 prairie mallow, red false mallow, Sphaeralcea coccinea, Malvastrum coccineum +n12188289 tulipwood tree +n12188635 portia tree, bendy tree, seaside mahoe, Thespesia populnea +n12189429 red silk-cotton tree, simal, Bombax ceiba, Bombax malabarica +n12189779 cream-of-tartar tree, sour gourd, Adansonia gregorii +n12189987 baobab, monkey-bread tree, Adansonia digitata +n12190410 kapok, ceiba tree, silk-cotton tree, white silk-cotton tree, Bombay ceiba, God tree, Ceiba pentandra +n12190869 durian, durion, durian tree, Durio zibethinus +n12191240 Montezuma +n12192132 shaving-brush tree, Pseudobombax ellipticum +n12192877 quandong, quandong tree, Brisbane quandong, silver quandong tree, blue fig, Elaeocarpus grandis +n12193334 quandong, blue fig +n12193665 makomako, New Zealand wine berry, wineberry, Aristotelia serrata, Aristotelia racemosa +n12194147 Jamaican cherry, calabur tree, calabura, silk wood, silkwood, Muntingia calabura +n12194613 breakax, breakaxe, break-axe, Sloanea jamaicensis +n12195391 sterculia +n12195533 Panama tree, Sterculia apetala +n12195734 kalumpang, Java olives, Sterculia foetida +n12196129 bottle-tree, bottle tree +n12196336 flame tree, flame durrajong, Brachychiton acerifolius, Sterculia acerifolia +n12196527 flame tree, broad-leaved bottletree, Brachychiton australis +n12196694 kurrajong, currajong, Brachychiton populneus +n12196954 Queensland bottletree, narrow-leaved bottletree, Brachychiton rupestris, Sterculia rupestris +n12197359 kola, kola nut, kola nut tree, goora nut, Cola acuminata +n12197601 kola nut, cola nut +n12198286 Chinese parasol tree, Chinese parasol, Japanese varnish tree, phoenix tree, Firmiana simplex +n12198793 flannelbush, flannel bush, California beauty +n12199266 screw tree +n12199399 nut-leaved screw tree, Helicteres isora +n12199790 red beech, brown oak, booyong, crow's foot, stave wood, silky elm, Heritiera trifoliolata, Terrietia trifoliolata +n12199982 looking glass tree, Heritiera macrophylla +n12200143 looking-glass plant, Heritiera littoralis +n12200504 honey bell, honeybells, Hermannia verticillata, Mahernia verticillata +n12200905 mayeng, maple-leaved bayur, Pterospermum acerifolium +n12201331 silver tree, Tarrietia argyrodendron +n12201580 cacao, cacao tree, chocolate tree, Theobroma cacao +n12201938 obeche, obechi, arere, samba, Triplochiton scleroxcylon +n12202936 linden, linden tree, basswood, lime, lime tree +n12203529 American basswood, American lime, Tilia americana +n12203699 small-leaved linden, small-leaved lime, Tilia cordata +n12203896 white basswood, cottonwood, Tilia heterophylla +n12204032 Japanese linden, Japanese lime, Tilia japonica +n12204175 silver lime, silver linden, Tilia tomentosa +n12204730 corchorus +n12205460 African hemp, Sparmannia africana +n12205694 herb, herbaceous plant +n12214789 protea +n12215022 honeypot, king protea, Protea cynaroides +n12215210 honeyflower, honey-flower, Protea mellifera +n12215579 banksia +n12215824 honeysuckle, Australian honeysuckle, coast banksia, Banksia integrifolia +n12216215 smoke bush +n12216628 Chilean firebush, Chilean flameflower, Embothrium coccineum +n12216968 Chilean nut, Chile nut, Chile hazel, Chilean hazelnut, Guevina heterophylla, Guevina avellana +n12217453 grevillea +n12217851 red-flowered silky oak, Grevillea banksii +n12218274 silky oak, Grevillea robusta +n12218490 beefwood, Grevillea striata +n12218868 cushion flower, pincushion hakea, Hakea laurina +n12219668 rewa-rewa, New Zealand honeysuckle +n12220019 honeyflower, honey-flower, mountain devil, Lambertia formosa +n12220496 silver tree, Leucadendron argenteum +n12220829 lomatia +n12221191 macadamia, macadamia tree +n12221368 Macadamia integrifolia +n12221522 macadamia nut, macadamia nut tree, Macadamia ternifolia +n12221801 Queensland nut, Macadamia tetraphylla +n12222090 prickly ash, Orites excelsa +n12222493 geebung +n12222900 wheel tree, firewheel tree, Stenocarpus sinuatus +n12223160 scrub beefwood, beefwood, Stenocarpus salignus +n12223569 waratah, Telopea Oreades +n12223764 waratah, Telopea speciosissima +n12224978 casuarina +n12225222 she-oak +n12225349 beefwood +n12225563 Australian pine, Casuarina equisetfolia +n12226932 heath +n12227658 tree heath, briar, brier, Erica arborea +n12227909 briarroot +n12228229 winter heath, spring heath, Erica carnea +n12228387 bell heather, heather bell, fine-leaved heath, Erica cinerea +n12228689 Cornish heath, Erica vagans +n12228886 Spanish heath, Portuguese heath, Erica lusitanica +n12229111 Prince-of-Wales'-heath, Prince of Wales heath, Erica perspicua +n12229651 bog rosemary, moorwort, Andromeda glaucophylla +n12229887 marsh andromeda, common bog rosemary, Andromeda polifolia +n12230540 madrona, madrono, manzanita, Arbutus menziesii +n12230794 strawberry tree, Irish strawberry, Arbutus unedo +n12231192 bearberry +n12231709 alpine bearberry, black bearberry, Arctostaphylos alpina +n12232114 heartleaf manzanita, Arctostaphylos andersonii +n12232280 Parry manzanita, Arctostaphylos manzanita +n12232851 spike heath, Bruckenthalia spiculifolia +n12233249 bryanthus +n12234318 leatherleaf, Chamaedaphne calyculata +n12234669 Connemara heath, St. Dabeoc's heath, Daboecia cantabrica +n12235051 trailing arbutus, mayflower, Epigaea repens +n12235479 creeping snowberry, moxie plum, maidenhair berry, Gaultheria hispidula +n12236160 salal, shallon, Gaultheria shallon +n12236546 huckleberry +n12236768 black huckleberry, Gaylussacia baccata +n12236977 dangleberry, dangle-berry, Gaylussacia frondosa +n12237152 box huckleberry, Gaylussacia brachycera +n12237486 kalmia +n12237641 mountain laurel, wood laurel, American laurel, calico bush, Kalmia latifolia +n12237855 swamp laurel, bog laurel, bog kalmia, Kalmia polifolia +n12238756 trapper's tea, glandular Labrador tea +n12238913 wild rosemary, marsh tea, Ledum palustre +n12239240 sand myrtle, Leiophyllum buxifolium +n12239647 leucothoe +n12239880 dog laurel, dog hobble, switch-ivy, Leucothoe fontanesiana, Leucothoe editorum +n12240150 sweet bells, Leucothoe racemosa +n12240477 alpine azalea, mountain azalea, Loiseleuria procumbens +n12240965 staggerbush, stagger bush, Lyonia mariana +n12241192 maleberry, male berry, privet andromeda, he-huckleberry, Lyonia ligustrina +n12241426 fetterbush, fetter bush, shiny lyonia, Lyonia lucida +n12241880 false azalea, fool's huckleberry, Menziesia ferruginea +n12242123 minniebush, minnie bush, Menziesia pilosa +n12242409 sorrel tree, sourwood, titi, Oxydendrum arboreum +n12242850 mountain heath, Phyllodoce caerulea, Bryanthus taxifolius +n12243109 purple heather, Brewer's mountain heather, Phyllodoce breweri +n12243693 fetterbush, mountain fetterbush, mountain andromeda, Pieris floribunda +n12244153 rhododendron +n12244458 coast rhododendron, Rhododendron californicum +n12244650 rosebay, Rhododendron maxima +n12244819 swamp azalea, swamp honeysuckle, white honeysuckle, Rhododendron viscosum +n12245319 azalea +n12245695 cranberry +n12245885 American cranberry, large cranberry, Vaccinium macrocarpon +n12246037 European cranberry, small cranberry, Vaccinium oxycoccus +n12246232 blueberry, blueberry bush +n12246773 farkleberry, sparkleberry, Vaccinium arboreum +n12246941 low-bush blueberry, low blueberry, Vaccinium angustifolium, Vaccinium pennsylvanicum +n12247202 rabbiteye blueberry, rabbit-eye blueberry, rabbiteye, Vaccinium ashei +n12247407 dwarf bilberry, dwarf blueberry, Vaccinium caespitosum +n12247963 evergreen blueberry, Vaccinium myrsinites +n12248141 evergreen huckleberry, Vaccinium ovatum +n12248359 bilberry, thin-leaved bilberry, mountain blue berry, Viccinium membranaceum +n12248574 bilberry, whortleberry, whinberry, blaeberry, Viccinium myrtillus +n12248780 bog bilberry, bog whortleberry, moor berry, Vaccinium uliginosum alpinum +n12248941 dryland blueberry, dryland berry, Vaccinium pallidum +n12249122 grouseberry, grouse-berry, grouse whortleberry, Vaccinium scoparium +n12249294 deerberry, squaw huckleberry, Vaccinium stamineum +n12249542 cowberry, mountain cranberry, lingonberry, lingenberry, lingberry, foxberry, Vaccinium vitis-idaea +n12251001 diapensia +n12251278 galax, galaxy, wandflower, beetleweed, coltsfoot, Galax urceolata +n12251740 pyxie, pixie, pixy, Pyxidanthera barbulata +n12252168 shortia +n12252383 oconee bells, Shortia galacifolia +n12252866 Australian heath +n12253229 epacris +n12253487 common heath, Epacris impressa +n12253664 common heath, blunt-leaf heath, Epacris obtusifolia +n12253835 Port Jackson heath, Epacris purpurascens +n12254168 native cranberry, groundberry, ground-berry, cranberry heath, Astroloma humifusum, Styphelia humifusum +n12255225 pink fivecorner, Styphelia triflora +n12256112 wintergreen, pyrola +n12256325 false wintergreen, Pyrola americana, Pyrola rotundifolia americana +n12256522 lesser wintergreen, Pyrola minor +n12256708 wild lily of the valley, shinleaf, Pyrola elliptica +n12256920 wild lily of the valley, Pyrola rotundifolia +n12257570 pipsissewa, prince's pine +n12257725 love-in-winter, western prince's pine, Chimaphila umbellata, Chimaphila corymbosa +n12258101 one-flowered wintergreen, one-flowered pyrola, Moneses uniflora, Pyrola uniflora +n12258885 Indian pipe, waxflower, Monotropa uniflora +n12259316 pinesap, false beachdrops, Monotropa hypopithys +n12260799 beech, beech tree +n12261359 common beech, European beech, Fagus sylvatica +n12261571 copper beech, purple beech, Fagus sylvatica atropunicea, Fagus purpurea, Fagus sylvatica purpurea +n12261808 American beech, white beech, red beech, Fagus grandifolia, Fagus americana +n12262018 weeping beech, Fagus pendula, Fagus sylvatica pendula +n12262185 Japanese beech +n12262553 chestnut, chestnut tree +n12263038 American chestnut, American sweet chestnut, Castanea dentata +n12263204 European chestnut, sweet chestnut, Spanish chestnut, Castanea sativa +n12263410 Chinese chestnut, Castanea mollissima +n12263588 Japanese chestnut, Castanea crenata +n12263738 Allegheny chinkapin, eastern chinquapin, chinquapin, dwarf chestnut, Castanea pumila +n12263987 Ozark chinkapin, Ozark chinquapin, chinquapin, Castanea ozarkensis +n12264512 oak chestnut +n12264786 giant chinkapin, golden chinkapin, Chrysolepis chrysophylla, Castanea chrysophylla, Castanopsis chrysophylla +n12265083 dwarf golden chinkapin, Chrysolepis sempervirens +n12265394 tanbark oak, Lithocarpus densiflorus +n12265600 Japanese oak, Lithocarpus glabra, Lithocarpus glaber +n12266217 southern beech, evergreen beech +n12266528 myrtle beech, Nothofagus cuninghamii +n12266644 Coigue, Nothofagus dombeyi +n12266796 New Zealand beech +n12266984 silver beech, Nothofagus menziesii +n12267133 roble beech, Nothofagus obliqua +n12267265 rauli beech, Nothofagus procera +n12267411 black beech, Nothofagus solanderi +n12267534 hard beech, Nothofagus truncata +n12267677 acorn +n12267931 cupule, acorn cup +n12268246 oak, oak tree +n12269241 live oak +n12269406 coast live oak, California live oak, Quercus agrifolia +n12269652 white oak +n12270027 American white oak, Quercus alba +n12270278 Arizona white oak, Quercus arizonica +n12270460 swamp white oak, swamp oak, Quercus bicolor +n12270741 European turkey oak, turkey oak, Quercus cerris +n12270946 canyon oak, canyon live oak, maul oak, iron oak, Quercus chrysolepis +n12271187 scarlet oak, Quercus coccinea +n12271451 jack oak, northern pin oak, Quercus ellipsoidalis +n12271643 red oak +n12271933 southern red oak, swamp red oak, turkey oak, Quercus falcata +n12272239 Oregon white oak, Oregon oak, Garry oak, Quercus garryana +n12272432 holm oak, holm tree, holly-leaved oak, evergreen oak, Quercus ilex +n12272735 bear oak, Quercus ilicifolia +n12272883 shingle oak, laurel oak, Quercus imbricaria +n12273114 bluejack oak, turkey oak, Quercus incana +n12273344 California black oak, Quercus kelloggii +n12273515 American turkey oak, turkey oak, Quercus laevis +n12273768 laurel oak, pin oak, Quercus laurifolia +n12273939 California white oak, valley oak, valley white oak, roble, Quercus lobata +n12274151 overcup oak, Quercus lyrata +n12274358 bur oak, burr oak, mossy-cup oak, mossycup oak, Quercus macrocarpa +n12274630 scrub oak +n12274863 blackjack oak, blackjack, jack oak, Quercus marilandica +n12275131 swamp chestnut oak, Quercus michauxii +n12275317 Japanese oak, Quercus mongolica, Quercus grosseserrata +n12275489 chestnut oak +n12275675 chinquapin oak, chinkapin oak, yellow chestnut oak, Quercus muehlenbergii +n12275888 myrtle oak, seaside scrub oak, Quercus myrtifolia +n12276110 water oak, possum oak, Quercus nigra +n12276314 Nuttall oak, Nuttall's oak, Quercus nuttalli +n12276477 durmast, Quercus petraea, Quercus sessiliflora +n12276628 basket oak, cow oak, Quercus prinus, Quercus montana +n12276872 pin oak, swamp oak, Quercus palustris +n12277150 willow oak, Quercus phellos +n12277334 dwarf chinkapin oak, dwarf chinquapin oak, dwarf oak, Quercus prinoides +n12277578 common oak, English oak, pedunculate oak, Quercus robur +n12277800 northern red oak, Quercus rubra, Quercus borealis +n12278107 Shumard oak, Shumard red oak, Quercus shumardii +n12278371 post oak, box white oak, brash oak, iron oak, Quercus stellata +n12278650 cork oak, Quercus suber +n12278865 Spanish oak, Quercus texana +n12279060 huckleberry oak, Quercus vaccinifolia +n12279293 Chinese cork oak, Quercus variabilis +n12279458 black oak, yellow oak, quercitron, quercitron oak, Quercus velutina +n12279772 southern live oak, Quercus virginiana +n12280060 interior live oak, Quercus wislizenii, Quercus wizlizenii +n12280364 mast +n12281241 birch, birch tree +n12281788 yellow birch, Betula alleghaniensis, Betula leutea +n12281974 American white birch, paper birch, paperbark birch, canoe birch, Betula cordifolia, Betula papyrifera +n12282235 grey birch, gray birch, American grey birch, American gray birch, Betula populifolia +n12282527 silver birch, common birch, European white birch, Betula pendula +n12282737 downy birch, white birch, Betula pubescens +n12282933 black birch, river birch, red birch, Betula nigra +n12283147 sweet birch, cherry birch, black birch, Betula lenta +n12283395 Yukon white birch, Betula neoalaskana +n12283542 swamp birch, water birch, mountain birch, Western paper birch, Western birch, Betula fontinalis +n12283790 Newfoundland dwarf birch, American dwarf birch, Betula glandulosa +n12284262 alder, alder tree +n12284821 common alder, European black alder, Alnus glutinosa, Alnus vulgaris +n12285049 grey alder, gray alder, Alnus incana +n12285195 seaside alder, Alnus maritima +n12285369 white alder, mountain alder, Alnus rhombifolia +n12285512 red alder, Oregon alder, Alnus rubra +n12285705 speckled alder, Alnus rugosa +n12285900 smooth alder, hazel alder, Alnus serrulata +n12286068 green alder, Alnus veridis +n12286197 green alder, Alnus veridis crispa, Alnus crispa +n12286826 hornbeam +n12286988 European hornbeam, Carpinus betulus +n12287195 American hornbeam, Carpinus caroliniana +n12287642 hop hornbeam +n12287836 Old World hop hornbeam, Ostrya carpinifolia +n12288005 Eastern hop hornbeam, ironwood, ironwood tree, Ostrya virginiana +n12288823 hazelnut, hazel, hazelnut tree +n12289310 American hazel, Corylus americana +n12289433 cobnut, filbert, Corylus avellana, Corylus avellana grandis +n12289585 beaked hazelnut, Corylus cornuta +n12290748 centaury +n12290975 rosita, Centaurium calycosum +n12291143 lesser centaury, Centaurium minus +n12291459 seaside centaury +n12291671 slender centaury +n12291959 prairie gentian, tulip gentian, bluebell, Eustoma grandiflorum +n12292463 Persian violet, Exacum affine +n12292877 columbo, American columbo, deer's-ear, deer's-ears, pyramid plant, American gentian +n12293723 gentian +n12294124 gentianella, Gentiana acaulis +n12294331 closed gentian, blind gentian, bottle gentian, Gentiana andrewsii +n12294542 explorer's gentian, Gentiana calycosa +n12294723 closed gentian, blind gentian, Gentiana clausa +n12294871 great yellow gentian, Gentiana lutea +n12295033 marsh gentian, calathian violet, Gentiana pneumonanthe +n12295237 soapwort gentian, Gentiana saponaria +n12295429 striped gentian, Gentiana villosa +n12295796 agueweed, ague weed, five-flowered gentian, stiff gentian, Gentianella quinquefolia, Gentiana quinquefolia +n12296045 felwort, gentianella amarella +n12296432 fringed gentian +n12296735 Gentianopsis crinita, Gentiana crinita +n12296929 Gentianopsis detonsa, Gentiana detonsa +n12297110 Gentianopsid procera, Gentiana procera +n12297280 Gentianopsis thermalis, Gentiana thermalis +n12297507 tufted gentian, Gentianopsis holopetala, Gentiana holopetala +n12297846 spurred gentian +n12298165 sabbatia +n12299640 toothbrush tree, mustard tree, Salvadora persica +n12300840 olive tree +n12301180 olive, European olive tree, Olea europaea +n12301445 olive +n12301613 black maire, Olea cunninghamii +n12301766 white maire, Olea lanceolata +n12302071 fringe tree +n12302248 fringe bush, Chionanthus virginicus +n12302565 forestiera +n12303083 forsythia +n12303462 ash, ash tree +n12304115 white ash, Fraxinus Americana +n12304286 swamp ash, Fraxinus caroliniana +n12304420 flowering ash, Fraxinus cuspidata +n12304703 European ash, common European ash, Fraxinus excelsior +n12304899 Oregon ash, Fraxinus latifolia, Fraxinus oregona +n12305089 black ash, basket ash, brown ash, hoop ash, Fraxinus nigra +n12305293 manna ash, flowering ash, Fraxinus ornus +n12305475 red ash, downy ash, Fraxinus pennsylvanica +n12305654 green ash, Fraxinus pennsylvanica subintegerrima +n12305819 blue ash, Fraxinus quadrangulata +n12305986 mountain ash, Fraxinus texensis +n12306089 pumpkin ash, Fraxinus tomentosa +n12306270 Arizona ash, Fraxinus velutina +n12306717 jasmine +n12306938 primrose jasmine, Jasminum mesnyi +n12307076 winter jasmine, Jasminum nudiflorum +n12307240 common jasmine, true jasmine, jessamine, Jasminum officinale +n12307756 privet +n12308112 Amur privet, Ligustrum amurense +n12308447 Japanese privet, Ligustrum japonicum +n12308907 Ligustrum obtusifolium +n12309277 common privet, Ligustrum vulgare +n12309630 devilwood, American olive, Osmanthus americanus +n12310021 mock privet +n12310349 lilac +n12310638 Himalayan lilac, Syringa emodi +n12311045 Persian lilac, Syringa persica +n12311224 Japanese tree lilac, Syringa reticulata, Syringa amurensis japonica +n12311413 Japanese lilac, Syringa villosa +n12311579 common lilac, Syringa vulgaris +n12312110 bloodwort +n12312728 kangaroo paw, kangaroo's paw, kangaroo's-foot, kangaroo-foot plant, Australian sword lily, Anigozanthus manglesii +n12315060 Virginian witch hazel, Hamamelis virginiana +n12315245 vernal witch hazel, Hamamelis vernalis +n12315598 winter hazel, flowering hazel +n12315999 fothergilla, witch alder +n12316444 liquidambar +n12316572 sweet gum, sweet gum tree, bilsted, red gum, American sweet gum, Liquidambar styraciflua +n12317296 iron tree, iron-tree, ironwood, ironwood tree +n12318378 walnut, walnut tree +n12318782 California black walnut, Juglans californica +n12318965 butternut, butternut tree, white walnut, Juglans cinerea +n12319204 black walnut, black walnut tree, black hickory, Juglans nigra +n12319414 English walnut, English walnut tree, Circassian walnut, Persian walnut, Juglans regia +n12320010 hickory, hickory tree +n12320414 water hickory, bitter pecan, water bitternut, Carya aquatica +n12320627 pignut, pignut hickory, brown hickory, black hickory, Carya glabra +n12320806 bitternut, bitternut hickory, bitter hickory, bitter pignut, swamp hickory, Carya cordiformis +n12321077 pecan, pecan tree, Carya illinoensis, Carya illinoinsis +n12321395 big shellbark, big shellbark hickory, big shagbark, king nut, king nut hickory, Carya laciniosa +n12321669 nutmeg hickory, Carya myristicaeformis, Carya myristiciformis +n12321873 shagbark, shagbark hickory, shellbark, shellbark hickory, Carya ovata +n12322099 mockernut, mockernut hickory, black hickory, white-heart hickory, big-bud hickory, Carya tomentosa +n12322501 wing nut, wing-nut +n12322699 Caucasian walnut, Pterocarya fraxinifolia +n12323665 dhawa, dhava +n12324056 combretum +n12324222 hiccup nut, hiccough nut, Combretum bracteosum +n12324388 bush willow, Combretum appiculatum +n12324558 bush willow, Combretum erythrophyllum +n12324906 button tree, button mangrove, Conocarpus erectus +n12325234 white mangrove, Laguncularia racemosa +n12325787 oleaster +n12327022 water milfoil +n12327528 anchovy pear, anchovy pear tree, Grias cauliflora +n12327846 brazil nut, brazil-nut tree, Bertholletia excelsa +n12328398 loosestrife +n12328567 purple loosestrife, spiked loosestrife, Lythrum salicaria +n12328801 grass poly, hyssop loosestrife, Lythrum hyssopifolia +n12329260 crape myrtle, crepe myrtle, crepe flower, Lagerstroemia indica +n12329473 Queen's crape myrtle, pride-of-India, Lagerstroemia speciosa +n12330239 myrtaceous tree +n12330469 myrtle +n12330587 common myrtle, Myrtus communis +n12330891 bayberry, bay-rum tree, Jamaica bayberry, wild cinnamon, Pimenta acris +n12331066 allspice, allspice tree, pimento tree, Pimenta dioica +n12331263 allspice tree, Pimenta officinalis +n12331655 sour cherry, Eugenia corynantha +n12331788 nakedwood, Eugenia dicrana +n12332030 Surinam cherry, pitanga, Eugenia uniflora +n12332218 rose apple, rose-apple tree, jambosa, Eugenia jambos +n12332555 feijoa, feijoa bush +n12333053 jaboticaba, jaboticaba tree, Myrciaria cauliflora +n12333530 guava, true guava, guava bush, Psidium guajava +n12333771 guava, strawberry guava, yellow cattley guava, Psidium littorale +n12333961 cattley guava, purple strawberry guava, Psidium cattleianum, Psidium littorale longipes +n12334153 Brazilian guava, Psidium guineense +n12334293 gum tree, gum +n12334891 eucalyptus, eucalypt, eucalyptus tree +n12335483 flooded gum +n12335664 mallee +n12335800 stringybark +n12335937 smoothbark +n12336092 red gum, peppermint, peppermint gum, Eucalyptus amygdalina +n12336224 red gum, marri, Eucalyptus calophylla +n12336333 river red gum, river gum, Eucalyptus camaldulensis, Eucalyptus rostrata +n12336586 mountain swamp gum, Eucalyptus camphora +n12336727 snow gum, ghost gum, white ash, Eucalyptus coriacea, Eucalyptus pauciflora +n12336973 alpine ash, mountain oak, Eucalyptus delegatensis +n12337131 white mallee, congoo mallee, Eucalyptus dumosa +n12337246 white stringybark, thin-leaved stringybark, Eucalyptusd eugenioides +n12337391 white mountain ash, Eucalyptus fraxinoides +n12337617 blue gum, fever tree, Eucalyptus globulus +n12337800 rose gum, Eucalypt grandis +n12337922 cider gum, Eucalypt gunnii +n12338034 swamp gum, Eucalypt ovata +n12338146 spotted gum, Eucalyptus maculata +n12338258 lemon-scented gum, Eucalyptus citriodora, Eucalyptus maculata citriodora +n12338454 black mallee, black sally, black gum, Eucalytus stellulata +n12338655 forest red gum, Eucalypt tereticornis +n12338796 mountain ash, Eucalyptus regnans +n12338979 manna gum, Eucalyptus viminalis +n12339526 clove, clove tree, Syzygium aromaticum, Eugenia aromaticum, Eugenia caryophyllatum +n12339831 clove +n12340383 tupelo, tupelo tree +n12340581 water gum, Nyssa aquatica +n12340755 sour gum, black gum, pepperidge, Nyssa sylvatica +n12341542 enchanter's nightshade +n12341931 Circaea lutetiana +n12342299 willowherb +n12342498 fireweed, giant willowherb, rosebay willowherb, wickup, Epilobium angustifolium +n12342852 California fuchsia, humming bird's trumpet, Epilobium canum canum, Zauschneria californica +n12343480 fuchsia +n12343753 lady's-eardrop, ladies'-eardrop, lady's-eardrops, ladies'-eardrops, Fuchsia coccinea +n12344283 evening primrose +n12344483 common evening primrose, German rampion, Oenothera biennis +n12344700 sundrops, Oenothera fruticosa +n12344837 Missouri primrose, Ozark sundrops, Oenothera macrocarpa +n12345280 pomegranate, pomegranate tree, Punica granatum +n12345899 mangrove, Rhizophora mangle +n12346578 daphne +n12346813 garland flower, Daphne cneorum +n12346986 spurge laurel, wood laurel, Daphne laureola +n12347158 mezereon, February daphne, Daphne mezereum +n12349315 Indian rhododendron, Melastoma malabathricum +n12349711 Medinilla magnifica +n12350032 deer grass, meadow beauty +n12350758 canna +n12351091 achira, indian shot, arrowroot, Canna indica, Canna edulis +n12351790 arrowroot, American arrowroot, obedience plant, Maranta arundinaceae +n12352287 banana, banana tree +n12352639 dwarf banana, Musa acuminata +n12352844 Japanese banana, Musa basjoo +n12352990 plantain, plantain tree, Musa paradisiaca +n12353203 edible banana, Musa paradisiaca sapientum +n12353431 abaca, Manila hemp, Musa textilis +n12353754 Abyssinian banana, Ethiopian banana, Ensete ventricosum, Musa ensete +n12355760 ginger +n12356023 common ginger, Canton ginger, stem ginger, Zingiber officinale +n12356395 turmeric, Curcuma longa, Curcuma domestica +n12356960 galangal, Alpinia galanga +n12357485 shellflower, shall-flower, shell ginger, Alpinia Zerumbet, Alpinia speciosa, Languas speciosa +n12357968 grains of paradise, Guinea grains, Guinea pepper, melagueta pepper, Aframomum melegueta +n12358293 cardamom, cardamon, Elettaria cardamomum +n12360108 begonia +n12360534 fibrous-rooted begonia +n12360684 tuberous begonia +n12360817 rhizomatous begonia +n12360958 Christmas begonia, blooming-fool begonia, Begonia cheimantha +n12361135 angel-wing begonia, Begonia cocchinea +n12361560 beefsteak begonia, kidney begonia, Begonia erythrophylla, Begonia feastii +n12361754 star begonia, star-leaf begonia, Begonia heracleifolia +n12361946 rex begonia, king begonia, painted-leaf begonia, beefsteak geranium, Begonia rex +n12362274 wax begonia, Begonia semperflorens +n12362514 Socotra begonia, Begonia socotrana +n12362668 hybrid tuberous begonia, Begonia tuberhybrida +n12363301 dillenia +n12363768 guinea gold vine, guinea flower +n12364604 poon +n12364940 calaba, Santa Maria tree, Calophyllum calaba +n12365158 Maria, Calophyllum longifolium +n12365285 laurelwood, lancewood tree, Calophyllum candidissimum +n12365462 Alexandrian laurel, Calophyllum inophyllum +n12365900 clusia +n12366053 wild fig, Clusia flava +n12366186 waxflower, Clusia insignis +n12366313 pitch apple, strangler fig, Clusia rosea, Clusia major +n12366675 mangosteen, mangosteen tree, Garcinia mangostana +n12366870 gamboge tree, Garcinia hanburyi, Garcinia cambogia, Garcinia gummi-gutta +n12367611 St John's wort +n12368028 common St John's wort, tutsan, Hypericum androsaemum +n12368257 great St John's wort, Hypericum ascyron, Hypericum pyramidatum +n12368451 creeping St John's wort, Hypericum calycinum +n12369066 low St Andrew's cross, Hypericum hypericoides +n12369309 klammath weed, Hypericum perforatum +n12369476 shrubby St John's wort, Hypericum prolificum, Hypericum spathulatum +n12369665 St Peter's wort, Hypericum tetrapterum, Hypericum maculatum +n12369845 marsh St-John's wort, Hypericum virginianum +n12370174 mammee apple, mammee, mamey, mammee tree, Mammea americana +n12370549 rose chestnut, ironwood, ironwood tree, Mesua ferrea +n12371202 bower actinidia, tara vine, Actinidia arguta +n12371439 Chinese gooseberry, kiwi, kiwi vine, Actinidia chinensis, Actinidia deliciosa +n12371704 silvervine, silver vine, Actinidia polygama +n12372233 wild cinnamon, white cinnamon tree, Canella winterana, Canella-alba +n12373100 papaya, papaia, pawpaw, papaya tree, melon tree, Carica papaya +n12373739 souari, souari nut, souari tree, Caryocar nuciferum +n12374418 rockrose, rock rose +n12374705 white-leaved rockrose, Cistus albidus +n12374862 common gum cistus, Cistus ladanifer, Cistus ladanum +n12375769 frostweed, frost-weed, frostwort, Helianthemum canadense, Crocanthemum canadense +n12377198 dipterocarp +n12377494 red lauan, red lauan tree, Shorea teysmanniana +n12378249 governor's plum, governor plum, Madagascar plum, ramontchi, batoko palm, Flacourtia indica +n12378753 kei apple, kei apple bush, Dovyalis caffra +n12378963 ketembilla, kitembilla, kitambilla, ketembilla tree, Ceylon gooseberry, Dovyalis hebecarpa +n12379531 chaulmoogra, chaulmoogra tree, chaulmugra, Hydnocarpus kurzii, Taraktagenos kurzii, Taraktogenos kurzii +n12380761 wild peach, Kiggelaria africana +n12381511 candlewood +n12382233 boojum tree, cirio, Fouquieria columnaris, Idria columnaris +n12382875 bird's-eye bush, Ochna serrulata +n12383737 granadilla, purple granadillo, Passiflora edulis +n12383894 granadilla, sweet granadilla, Passiflora ligularis +n12384037 granadilla, giant granadilla, Passiflora quadrangularis +n12384227 maypop, Passiflora incarnata +n12384375 Jamaica honeysuckle, yellow granadilla, Passiflora laurifolia +n12384569 banana passion fruit, Passiflora mollissima +n12384680 sweet calabash, Passiflora maliformis +n12384839 love-in-a-mist, running pop, wild water lemon, Passiflora foetida +n12385429 reseda +n12385566 mignonette, sweet reseda, Reseda odorata +n12385830 dyer's rocket, dyer's mignonette, weld, Reseda luteola +n12386945 false tamarisk, German tamarisk, Myricaria germanica +n12387103 halophyte +n12387633 viola +n12387839 violet +n12388143 field pansy, heartsease, Viola arvensis +n12388293 American dog violet, Viola conspersa +n12388858 dog violet, heath violet, Viola canina +n12388989 horned violet, tufted pansy, Viola cornuta +n12389130 two-eyed violet, heartsease, Viola ocellata +n12389501 bird's-foot violet, pansy violet, Johnny-jump-up, wood violet, Viola pedata +n12389727 downy yellow violet, Viola pubescens +n12389932 long-spurred violet, Viola rostrata +n12390099 pale violet, striped violet, cream violet, Viola striata +n12390314 hedge violet, wood violet, Viola sylvatica, Viola reichenbachiana +n12392070 nettle +n12392549 stinging nettle, Urtica dioica +n12392765 Roman nettle, Urtica pipulifera +n12393269 ramie, ramee, Chinese silk plant, China grass, Boehmeria nivea +n12394118 wood nettle, Laportea canadensis +n12394328 Australian nettle, Australian nettle tree +n12394638 pellitory-of-the-wall, wall pellitory, pellitory, Parietaria difussa +n12395068 richweed, clearweed, dead nettle, Pilea pumilla +n12395289 artillery plant, Pilea microphylla +n12395463 friendship plant, panamica, panamiga, Pilea involucrata +n12395906 Queensland grass-cloth plant, Pipturus argenteus +n12396091 Pipturus albidus +n12396924 cannabis, hemp +n12397431 Indian hemp, Cannabis indica +n12399132 mulberry, mulberry tree +n12399384 white mulberry, Morus alba +n12399534 black mulberry, Morus nigra +n12399656 red mulberry, Morus rubra +n12399899 osage orange, bow wood, mock orange, Maclura pomifera +n12400489 breadfruit, breadfruit tree, Artocarpus communis, Artocarpus altilis +n12400720 jackfruit, jackfruit tree, Artocarpus heterophyllus +n12400924 marang, marang tree, Artocarpus odoratissima +n12401335 fig tree +n12401684 fig, common fig, common fig tree, Ficus carica +n12401893 caprifig, Ficus carica sylvestris +n12402051 golden fig, Florida strangler fig, strangler fig, wild fig, Ficus aurea +n12402348 banyan, banyan tree, banian, banian tree, Indian banyan, East Indian fig tree, Ficus bengalensis +n12402596 pipal, pipal tree, pipul, peepul, sacred fig, bo tree, Ficus religiosa +n12402840 India-rubber tree, India-rubber plant, India-rubber fig, rubber plant, Assam rubber, Ficus elastica +n12403075 mistletoe fig, mistletoe rubber plant, Ficus diversifolia, Ficus deltoidea +n12403276 Port Jackson fig, rusty rig, little-leaf fig, Botany Bay fig, Ficus rubiginosa +n12403513 sycamore, sycamore fig, mulberry fig, Ficus sycomorus +n12403994 paper mulberry, Broussonetia papyrifera +n12404729 trumpetwood, trumpet-wood, trumpet tree, snake wood, imbauba, Cecropia peltata +n12405714 elm, elm tree +n12406304 winged elm, wing elm, Ulmus alata +n12406488 American elm, white elm, water elm, rock elm, Ulmus americana +n12406715 smooth-leaved elm, European field elm, Ulmus carpinifolia +n12406902 cedar elm, Ulmus crassifolia +n12407079 witch elm, wych elm, Ulmus glabra +n12407222 Dutch elm, Ulmus hollandica +n12407396 Huntingdon elm, Ulmus hollandica vegetata +n12407545 water elm, Ulmus laevis +n12407715 Chinese elm, Ulmus parvifolia +n12407890 English elm, European elm, Ulmus procera +n12408077 Siberian elm, Chinese elm, dwarf elm, Ulmus pumila +n12408280 slippery elm, red elm, Ulmus rubra +n12408466 Jersey elm, guernsey elm, wheately elm, Ulmus sarniensis, Ulmus campestris sarniensis, Ulmus campestris wheatleyi +n12408717 September elm, red elm, Ulmus serotina +n12408873 rock elm, Ulmus thomasii +n12409231 hackberry, nettle tree +n12409470 European hackberry, Mediterranean hackberry, Celtis australis +n12409651 American hackberry, Celtis occidentalis +n12409840 sugarberry, Celtis laevigata +n12411461 iridaceous plant +n12412355 bearded iris +n12412606 beardless iris +n12412987 orrisroot, orris +n12413165 dwarf iris, Iris cristata +n12413301 Dutch iris, Iris filifolia +n12413419 Florentine iris, orris, Iris germanica florentina, Iris florentina +n12413642 stinking iris, gladdon, gladdon iris, stinking gladwyn, roast beef plant, Iris foetidissima +n12413880 German iris, Iris germanica +n12414035 Japanese iris, Iris kaempferi +n12414159 German iris, Iris kochii +n12414329 Dalmatian iris, Iris pallida +n12414449 Persian iris, Iris persica +n12414818 Dutch iris, Iris tingitana +n12414932 dwarf iris, vernal iris, Iris verna +n12415595 Spanish iris, xiphium iris, Iris xiphium +n12416073 blackberry-lily, leopard lily, Belamcanda chinensis +n12416423 crocus +n12416703 saffron, saffron crocus, Crocus sativus +n12417836 corn lily +n12418221 blue-eyed grass +n12418507 wandflower, Sparaxis tricolor +n12419037 amaryllis +n12419878 salsilla, Bomarea edulis +n12420124 salsilla, Bomarea salsilla +n12420535 blood lily +n12420722 Cape tulip, Haemanthus coccineus +n12421137 hippeastrum, Hippeastrum puniceum +n12421467 narcissus +n12421683 daffodil, Narcissus pseudonarcissus +n12421917 jonquil, Narcissus jonquilla +n12422129 jonquil +n12422559 Jacobean lily, Aztec lily, Strekelia formosissima +n12425281 liliaceous plant +n12426623 mountain lily, Lilium auratum +n12426749 Canada lily, wild yellow lily, meadow lily, wild meadow lily, Lilium canadense +n12427184 tiger lily, leopard lily, pine lily, Lilium catesbaei +n12427391 Columbia tiger lily, Oregon lily, Lilium columbianum +n12427566 tiger lily, devil lily, kentan, Lilium lancifolium +n12427757 Easter lily, Bermuda lily, white trumpet lily, Lilium longiflorum +n12427946 coast lily, Lilium maritinum +n12428076 Turk's-cap, martagon, Lilium martagon +n12428242 Michigan lily, Lilium michiganense +n12428412 leopard lily, panther lily, Lilium pardalinum +n12428747 Turk's-cap, Turk's cap-lily, Lilium superbum +n12429352 African lily, African tulip, blue African lily, Agapanthus africanus +n12430198 colicroot, colic root, crow corn, star grass, unicorn root +n12430471 ague root, ague grass, Aletris farinosa +n12430675 yellow colicroot, Aletris aurea +n12431434 alliaceous plant +n12432069 Hooker's onion, Allium acuminatum +n12432356 wild leek, Levant garlic, kurrat, Allium ampeloprasum +n12432574 Canada garlic, meadow leek, rose leek, Allium canadense +n12432707 keeled garlic, Allium carinatum +n12433081 onion +n12433178 shallot, eschalot, multiplier onion, Allium cepa aggregatum, Allium ascalonicum +n12433769 nodding onion, nodding wild onion, lady's leek, Allium cernuum +n12433952 Welsh onion, Japanese leek, Allium fistulosum +n12434106 red-skinned onion, Allium haematochiton +n12434483 daffodil garlic, flowering onion, Naples garlic, Allium neopolitanum +n12434634 few-flowered leek, Allium paradoxum +n12434775 garlic, Allium sativum +n12434985 sand leek, giant garlic, Spanish garlic, rocambole, Allium scorodoprasum +n12435152 chives, chive, cive, schnittlaugh, Allium schoenoprasum +n12435486 crow garlic, false garlic, field garlic, stag's garlic, wild garlic, Allium vineale +n12435649 wild garlic, wood garlic, Ramsons, Allium ursinum +n12435777 garlic chive, Chinese chive, Oriental garlic, Allium tuberosum +n12435965 round-headed leek, Allium sphaerocephalum +n12436090 three-cornered leek, triquetrous leek, Allium triquetrum +n12436907 cape aloe, Aloe ferox +n12437513 kniphofia, tritoma, flame flower, flame-flower, flameflower +n12437769 poker plant, Kniphofia uvaria +n12437930 red-hot poker, Kniphofia praecox +n12439154 fly poison, Amianthum muscaetoxicum, Amianthum muscitoxicum +n12439830 amber lily, Anthericum torreyi +n12441183 asparagus, edible asparagus, Asparagus officinales +n12441390 asparagus fern, Asparagus setaceous, Asparagus plumosus +n12441552 smilax, Asparagus asparagoides +n12441958 asphodel +n12442548 Jacob's rod +n12443323 aspidistra, cast-iron plant, bar-room plant, Aspidistra elatio +n12443736 coral drops, Bessera elegans +n12444095 Christmas bells +n12444898 climbing onion, Bowiea volubilis +n12446200 mariposa, mariposa tulip, mariposa lily +n12446519 globe lily, fairy lantern +n12446737 cat's-ear +n12446908 white globe lily, white fairy lantern, Calochortus albus +n12447121 yellow globe lily, golden fairy lantern, Calochortus amabilis +n12447346 rose globe lily, Calochortus amoenus +n12447581 star tulip, elegant cat's ears, Calochortus elegans +n12447891 desert mariposa tulip, Calochortus kennedyi +n12448136 yellow mariposa tulip, Calochortus luteus +n12448361 sagebrush mariposa tulip, Calochortus macrocarpus +n12448700 sego lily, Calochortus nuttallii +n12449296 camas, camass, quamash, camosh, camash +n12449526 common camas, Camassia quamash +n12449784 Leichtlin's camas, Camassia leichtlinii +n12449934 wild hyacinth, indigo squill, Camassia scilloides +n12450344 dogtooth violet, dogtooth, dog's-tooth violet +n12450607 white dogtooth violet, white dog's-tooth violet, blonde lilian, Erythronium albidum +n12450840 yellow adder's tongue, trout lily, amberbell, Erythronium americanum +n12451070 European dogtooth, Erythronium dens-canis +n12451240 fawn lily, Erythronium californicum +n12451399 glacier lily, snow lily, Erythronium grandiflorum +n12451566 avalanche lily, Erythronium montanum +n12451915 fritillary, checkered lily +n12452256 mission bells, rice-grain fritillary, Fritillaria affinis, Fritillaria lanceolata, Fritillaria mutica +n12452480 mission bells, black fritillary, Fritillaria biflora +n12452673 stink bell, Fritillaria agrestis +n12452836 crown imperial, Fritillaria imperialis +n12453018 white fritillary, Fritillaria liliaceae +n12453186 snake's head fritillary, guinea-hen flower, checkered daffodil, leper lily, Fritillaria meleagris +n12453714 adobe lily, pink fritillary, Fritillaria pluriflora +n12453857 scarlet fritillary, Fritillaria recurva +n12454159 tulip +n12454436 dwarf tulip, Tulipa armena, Tulipa suaveolens +n12454556 lady tulip, candlestick tulip, Tulipa clusiana +n12454705 Tulipa gesneriana +n12454793 cottage tulip +n12454949 Darwin tulip +n12455950 gloriosa, glory lily, climbing lily, creeping lily, Gloriosa superba +n12457091 lemon lily, Hemerocallis lilio-asphodelus, Hemerocallis flava +n12458550 common hyacinth, Hyacinthus orientalis +n12458713 Roman hyacinth, Hyacinthus orientalis albulus +n12458874 summer hyacinth, cape hyacinth, Hyacinthus candicans, Galtonia candicans +n12459629 star-of-Bethlehem +n12460146 bath asparagus, Prussian asparagus, Ornithogalum pyrenaicum +n12460697 grape hyacinth +n12460957 common grape hyacinth, Muscari neglectum +n12461109 tassel hyacinth, Muscari comosum +n12461466 scilla, squill +n12461673 spring squill, Scilla verna, sea onion +n12462032 false asphodel +n12462221 Scotch asphodel, Tofieldia pusilla +n12462582 sea squill, sea onion, squill, Urginea maritima +n12462805 squill +n12463134 butcher's broom, Ruscus aculeatus +n12463743 bog asphodel +n12463975 European bog asphodel, Narthecium ossifragum +n12464128 American bog asphodel, Narthecium americanum +n12464476 hellebore, false hellebore +n12464649 white hellebore, American hellebore, Indian poke, bugbane, Veratrum viride +n12465557 squaw grass, bear grass, Xerophyllum tenax +n12466727 death camas, zigadene +n12467018 alkali grass, Zigadenus elegans +n12467197 white camas, Zigadenus glaucus +n12467433 poison camas, Zigadenus nuttalli +n12467592 grassy death camas, Zigadenus venenosus, Zigadenus venenosus gramineus +n12468545 prairie wake-robin, prairie trillium, Trillium recurvatum +n12468719 dwarf-white trillium, snow trillium, early wake-robin +n12469517 herb Paris, Paris quadrifolia +n12470092 sarsaparilla +n12470512 bullbrier, greenbrier, catbrier, horse brier, horse-brier, brier, briar, Smilax rotundifolia +n12470907 rough bindweed, Smilax aspera +n12472024 clintonia, Clinton's lily +n12473608 false lily of the valley, Maianthemum canadense +n12473840 false lily of the valley, Maianthemum bifolium +n12474167 Solomon's-seal +n12474418 great Solomon's-seal, Polygonatum biflorum, Polygonatum commutatum +n12475035 bellwort, merry bells, wild oats +n12475242 strawflower, cornflower, Uvularia grandiflora +n12475774 pia, Indian arrowroot, Tacca leontopetaloides, Tacca pinnatifida +n12476510 agave, century plant, American aloe +n12477163 American agave, Agave americana +n12477401 sisal, Agave sisalana +n12477583 maguey, cantala, Agave cantala +n12477747 maguey, Agave atrovirens +n12477983 Agave tequilana +n12478768 cabbage tree, grass tree, Cordyline australis +n12479537 dracaena +n12480456 tuberose, Polianthes tuberosa +n12480895 sansevieria, bowstring hemp +n12481150 African bowstring hemp, African hemp, Sansevieria guineensis +n12481289 Ceylon bowstring hemp, Sansevieria zeylanica +n12481458 mother-in-law's tongue, snake plant, Sansevieria trifasciata +n12482437 Spanish bayonet, Yucca aloifolia +n12482668 Spanish bayonet, Yucca baccata +n12482893 Joshua tree, Yucca brevifolia +n12483282 soapweed, soap-weed, soap tree, Yucca elata +n12483427 Adam's needle, Adam's needle-and-thread, spoonleaf yucca, needle palm, Yucca filamentosa +n12483625 bear grass, Yucca glauca +n12483841 Spanish dagger, Yucca gloriosa +n12484244 Our Lord's candle, Yucca whipplei +n12484784 water shamrock, buckbean, bogbean, bog myrtle, marsh trefoil, Menyanthes trifoliata +n12485653 butterfly bush, buddleia +n12485981 yellow jasmine, yellow jessamine, Carolina jasmine, evening trumpet flower, Gelsemium sempervirens +n12486574 flax +n12487058 calabar bean, ordeal bean +n12488454 bonduc, bonduc tree, Caesalpinia bonduc, Caesalpinia bonducella +n12488709 divi-divi, Caesalpinia coriaria +n12489046 Mysore thorn, Caesalpinia decapetala, Caesalpinia sepiaria +n12489676 brazilian ironwood, Caesalpinia ferrea +n12489815 bird of paradise, poinciana, Caesalpinia gilliesii, Poinciana gilliesii +n12490490 shingle tree, Acrocarpus fraxinifolius +n12491017 mountain ebony, orchid tree, Bauhinia variegata +n12491435 msasa, Brachystegia speciformis +n12491826 cassia +n12492106 golden shower tree, drumstick tree, purging cassia, pudding pipe tree, canafistola, canafistula, Cassia fistula +n12492460 pink shower, pink shower tree, horse cassia, Cassia grandis +n12492682 rainbow shower, Cassia javonica +n12492900 horse cassia, Cassia roxburghii, Cassia marginata +n12493208 carob, carob tree, carob bean tree, algarroba, Ceratonia siliqua +n12493426 carob, carob bean, algarroba bean, algarroba, locust bean, locust pod +n12493868 paloverde +n12494794 royal poinciana, flamboyant, flame tree, peacock flower, Delonix regia, Poinciana regia +n12495146 locust tree, locust +n12495670 water locust, swamp locust, Gleditsia aquatica +n12495895 honey locust, Gleditsia triacanthos +n12496427 Kentucky coffee tree, bonduc, chicot, Gymnocladus dioica +n12496949 logwood, logwood tree, campeachy, bloodwood tree, Haematoxylum campechianum +n12497669 Jerusalem thorn, horsebean, Parkinsonia aculeata +n12498055 palo verde, Parkinsonia florida, Cercidium floridum +n12498457 Dalmatian laburnum, Petteria ramentacea, Cytisus ramentaceus +n12499163 senna +n12499757 avaram, tanner's cassia, Senna auriculata, Cassia auriculata +n12499979 Alexandria senna, Alexandrian senna, true senna, tinnevelly senna, Indian senna, Senna alexandrina, Cassia acutifolia, Cassia augustifolia +n12500309 wild senna, Senna marilandica, Cassia marilandica +n12500518 sicklepod, Senna obtusifolia, Cassia tora +n12500751 coffee senna, mogdad coffee, styptic weed, stinking weed, Senna occidentalis, Cassia occidentalis +n12501202 tamarind, tamarind tree, tamarindo, Tamarindus indica +n12504570 false indigo, bastard indigo, Amorpha californica +n12504783 false indigo, bastard indigo, Amorpha fruticosa +n12505253 hog peanut, wild peanut, Amphicarpaea bracteata, Amphicarpa bracteata +n12506181 angelim, andelmin +n12506341 cabbage bark, cabbage-bark tree, cabbage tree, Andira inermis +n12506991 kidney vetch, Anthyllis vulneraria +n12507379 groundnut, groundnut vine, Indian potato, potato bean, wild bean, Apios americana, Apios tuberosa +n12507823 rooibos, Aspalathus linearis, Aspalathus cedcarbergensis +n12508309 milk vetch, milk-vetch +n12508618 alpine milk vetch, Astragalus alpinus +n12508762 purple milk vetch, Astragalus danicus +n12509109 camwood, African sandalwood, Baphia nitida +n12509476 wild indigo, false indigo +n12509665 blue false indigo, Baptisia australis +n12509821 white false indigo, Baptisia lactea +n12509993 indigo broom, horsefly weed, rattle weed, Baptisia tinctoria +n12510343 dhak, dak, palas, Butea frondosa, Butea monosperma +n12510774 pigeon pea, pigeon-pea plant, cajan pea, catjang pea, red gram, dhal, dahl, Cajanus cajan +n12511488 sword bean, Canavalia gladiata +n12511856 pea tree, caragana +n12512095 Siberian pea tree, Caragana arborescens +n12512294 Chinese pea tree, Caragana sinica +n12512674 Moreton Bay chestnut, Australian chestnut +n12513172 butterfly pea, Centrosema virginianum +n12513613 Judas tree, love tree, Circis siliquastrum +n12513933 redbud, Cercis canadensis +n12514138 western redbud, California redbud, Cercis occidentalis +n12514592 tagasaste, Chamaecytisus palmensis, Cytesis proliferus +n12514992 weeping tree broom +n12515393 flame pea +n12515711 chickpea, chickpea plant, Egyptian pea, Cicer arietinum +n12515925 chickpea, garbanzo +n12516165 Kentucky yellowwood, gopherwood, Cladrastis lutea, Cladrastis kentukea +n12516584 glory pea, clianthus +n12516828 desert pea, Sturt pea, Sturt's desert pea, Clianthus formosus, Clianthus speciosus +n12517077 parrot's beak, parrot's bill, Clianthus puniceus +n12517445 butterfly pea, Clitoria mariana +n12517642 blue pea, butterfly pea, Clitoria turnatea +n12518013 telegraph plant, semaphore plant, Codariocalyx motorius, Desmodium motorium, Desmodium gyrans +n12518481 bladder senna, Colutea arborescens +n12519089 axseed, crown vetch, Coronilla varia +n12519563 crotalaria, rattlebox +n12520406 guar, cluster bean, Cyamopsis tetragonolobus, Cyamopsis psoraloides +n12521186 white broom, white Spanish broom, Cytisus albus, Cytisus multiflorus +n12521394 common broom, Scotch broom, green broom, Cytisus scoparius +n12522188 rosewood, rosewood tree +n12522678 Indian blackwood, East Indian rosewood, East India rosewood, Indian rosewood, Dalbergia latifolia +n12522894 sissoo, sissu, sisham, Dalbergia sissoo +n12523141 kingwood, kingwood tree, Dalbergia cearensis +n12523475 Brazilian rosewood, caviuna wood, jacaranda, Dalbergia nigra +n12523850 cocobolo, Dalbergia retusa +n12524188 blackwood, blackwood tree +n12525168 bitter pea +n12525513 derris +n12525753 derris root, tuba root, Derris elliptica +n12526178 prairie mimosa, prickle-weed, Desmanthus ilinoensis +n12526516 tick trefoil, beggar lice, beggar's lice +n12526754 beggarweed, Desmodium tortuosum, Desmodium purpureum +n12527081 Australian pea, Dipogon lignosus, Dolichos lignosus +n12527738 coral tree, erythrina +n12528109 kaffir boom, Cape kafferboom, Erythrina caffra +n12528382 coral bean tree, Erythrina corallodendrum +n12528549 ceibo, crybaby tree, cry-baby tree, common coral tree, Erythrina crista-galli +n12528768 kaffir boom, Transvaal kafferboom, Erythrina lysistemon +n12528974 Indian coral tree, Erythrina variegata, Erythrina Indica +n12529220 cork tree, Erythrina vespertilio +n12529500 goat's rue, goat rue, Galega officinalis +n12529905 poison bush, poison pea, gastrolobium +n12530629 Spanish broom, Spanish gorse, Genista hispanica +n12530818 woodwaxen, dyer's greenweed, dyer's-broom, dyeweed, greenweed, whin, woadwaxen, Genista tinctoria +n12531328 chanar, chanal, Geoffroea decorticans +n12531727 gliricidia +n12532564 soy, soybean, soya bean +n12532886 licorice, liquorice, Glycyrrhiza glabra +n12533190 wild licorice, wild liquorice, American licorice, American liquorice, Glycyrrhiza lepidota +n12533437 licorice root +n12534208 Western Australia coral pea, Hardenbergia comnptoniana +n12534625 sweet vetch, Hedysarum boreale +n12534862 French honeysuckle, sulla, Hedysarum coronarium +n12536291 anil, Indigofera suffruticosa, Indigofera anil +n12537253 scarlet runner, running postman, Kennedia prostrata +n12537569 hyacinth bean, bonavist, Indian bean, Egyptian bean, Lablab purpureus, Dolichos lablab +n12538209 Scotch laburnum, Alpine golden chain, Laburnum alpinum +n12539074 vetchling +n12539306 wild pea +n12539832 everlasting pea +n12540250 beach pea, sea pea, Lathyrus maritimus, Lathyrus japonicus +n12540647 grass vetch, grass vetchling, Lathyrus nissolia +n12540966 marsh pea, Lathyrus palustris +n12541157 common vetchling, meadow pea, yellow vetchling, Lathyrus pratensis +n12541403 grass pea, Indian pea, khesari, Lathyrus sativus +n12542043 Tangier pea, Tangier peavine, Lalthyrus tingitanus +n12542240 heath pea, earth-nut pea, earthnut pea, tuberous vetch, Lathyrus tuberosus +n12543186 bicolor lespediza, ezo-yama-hagi, Lespedeza bicolor +n12543455 japanese clover, japan clover, jap clover, Lespedeza striata +n12543639 Korean lespedeza, Lespedeza stipulacea +n12543826 sericea lespedeza, Lespedeza sericea, Lespedeza cuneata +n12544240 lentil, lentil plant, Lens culinaris +n12544539 lentil +n12545232 prairie bird's-foot trefoil, compass plant, prairie lotus, prairie trefoil, Lotus americanus +n12545635 bird's foot trefoil, bird's foot clover, babies' slippers, bacon and eggs, Lotus corniculatus +n12545865 winged pea, asparagus pea, Lotus tetragonolobus +n12546183 lupine, lupin +n12546420 white lupine, field lupine, wolf bean, Egyptian lupine, Lupinus albus +n12546617 tree lupine, Lupinus arboreus +n12546962 wild lupine, sundial lupine, Indian beet, old-maid's bonnet, Lupinus perennis +n12547215 bluebonnet, buffalo clover, Texas bluebonnet, Lupinus subcarnosus +n12547503 Texas bluebonnet, Lupinus texensis +n12548280 medic, medick, trefoil +n12548564 moon trefoil, Medicago arborea +n12548804 sickle alfalfa, sickle lucerne, sickle medick, Medicago falcata +n12549005 Calvary clover, Medicago intertexta, Medicago echinus +n12549192 black medick, hop clover, yellow trefoil, nonesuch clover, Medicago lupulina +n12549420 alfalfa, lucerne, Medicago sativa +n12549799 millettia +n12550210 mucuna +n12550408 cowage, velvet bean, Bengal bean, Benghal bean, Florida bean, Mucuna pruriens utilis, Mucuna deeringiana, Mucuna aterrima, Stizolobium deeringiana +n12551173 tolu tree, tolu balsam tree, Myroxylon balsamum, Myroxylon toluiferum +n12551457 Peruvian balsam, Myroxylon pereirae, Myroxylon balsamum pereirae +n12552309 sainfoin, sanfoin, holy clover, esparcet, Onobrychis viciifolia, Onobrychis viciaefolia +n12552893 restharrow, rest-harrow, Ononis repens +n12553742 bead tree, jumby bean, jumby tree, Ormosia monosperma +n12554029 jumby bead, jumbie bead, Ormosia coarctata +n12554526 locoweed, crazyweed, crazy weed +n12554729 purple locoweed, purple loco, Oxytropis lambertii +n12554911 tumbleweed +n12555255 yam bean, Pachyrhizus erosus +n12555859 shamrock pea, Parochetus communis +n12556656 pole bean +n12557064 kidney bean, frijol, frijole +n12557438 haricot +n12557556 wax bean +n12557681 scarlet runner, scarlet runner bean, Dutch case-knife bean, runner bean, Phaseolus coccineus, Phaseolus multiflorus +n12558230 lima bean, lima bean plant, Phaseolus limensis +n12558425 sieva bean, butter bean, butter-bean plant, lima bean, Phaseolus lunatus +n12558680 tepary bean, Phaseolus acutifolius latifolius +n12559044 chaparral pea, stingaree-bush, Pickeringia montana +n12559518 Jamaica dogwood, fish fuddle, Piscidia piscipula, Piscidia erythrina +n12560282 pea +n12560621 garden pea +n12560775 edible-pod pea, edible-podded pea, Pisum sativum macrocarpon +n12561169 sugar snap pea, snap pea +n12561309 field pea, field-pea plant, Austrian winter pea, Pisum sativum arvense, Pisum arvense +n12561594 field pea +n12562141 common flat pea, native holly, Playlobium obtusangulum +n12562577 quira +n12562785 roble, Platymiscium trinitatis +n12563045 Panama redwood tree, Panama redwood, Platymiscium pinnatum +n12563702 Indian beech, Pongamia glabra +n12564083 winged bean, winged pea, goa bean, goa bean vine, Manila bean, Psophocarpus tetragonolobus +n12564613 breadroot, Indian breadroot, pomme blanche, pomme de prairie, Psoralea esculenta +n12565102 bloodwood tree, kiaat, Pterocarpus angolensis +n12565912 kino, Pterocarpus marsupium +n12566331 red sandalwood, red sanders, red sanderswood, red saunders, Pterocarpus santalinus +n12566954 kudzu, kudzu vine, Pueraria lobata +n12567950 bristly locust, rose acacia, moss locust, Robinia hispida +n12568186 black locust, yellow locust, Robinia pseudoacacia +n12568649 clammy locust, Robinia viscosa +n12569037 carib wood, Sabinea carinalis +n12569616 Colorado River hemp, Sesbania exaltata +n12569851 scarlet wisteria tree, vegetable hummingbird, Sesbania grandiflora +n12570394 Japanese pagoda tree, Chinese scholartree, Chinese scholar tree, Sophora japonica, Sophora sinensis +n12570703 mescal bean, coral bean, frijolito, frijolillo, Sophora secundiflora +n12570972 kowhai, Sophora tetraptera +n12571781 jade vine, emerald creeper, Strongylodon macrobotrys +n12572546 hoary pea +n12572759 bastard indigo, Tephrosia purpurea +n12572858 catgut, goat's rue, wild sweet pea, Tephrosia virginiana +n12573256 bush pea +n12573474 false lupine, golden pea, yellow pea, Thermopsis macrophylla +n12573647 Carolina lupine, Thermopsis villosa +n12573911 tipu, tipu tree, yellow jacaranda, pride of Bolivia +n12574320 bird's foot trefoil, Trigonella ornithopodioides +n12574470 fenugreek, Greek clover, Trigonella foenumgraecum +n12574866 gorse, furze, whin, Irish gorse, Ulex europaeus +n12575322 vetch +n12575812 tufted vetch, bird vetch, Calnada pea, Vicia cracca +n12576323 broad bean, fava bean, horsebean +n12576451 bitter betch, Vicia orobus +n12576695 bush vetch, Vicia sepium +n12577362 moth bean, Vigna aconitifolia, Phaseolus aconitifolius +n12577895 snailflower, snail-flower, snail flower, snail bean, corkscrew flower, Vigna caracalla, Phaseolus caracalla +n12578255 mung, mung bean, green gram, golden gram, Vigna radiata, Phaseolus aureus +n12578626 cowpea, cowpea plant, black-eyed pea, Vigna unguiculata, Vigna sinensis +n12578916 cowpea, black-eyed pea +n12579038 asparagus bean, yard-long bean, Vigna unguiculata sesquipedalis, Vigna sesquipedalis +n12579404 swamp oak, Viminaria juncea, Viminaria denudata +n12579822 keurboom, Virgilia capensis, Virgilia oroboides +n12580012 keurboom, Virgilia divaricata +n12580654 Japanese wistaria, Wisteria floribunda +n12580786 Chinese wistaria, Wisteria chinensis +n12580896 American wistaria, American wisteria, Wisteria frutescens +n12581110 silky wisteria, Wisteria venusta +n12582231 palm, palm tree +n12582665 sago palm +n12582846 feather palm +n12583126 fan palm +n12583401 palmetto +n12583681 coyol, coyol palm, Acrocomia vinifera +n12583855 grugru, gri-gri, grugru palm, macamba, Acrocomia aculeata +n12584191 areca +n12584365 betel palm, Areca catechu +n12584715 sugar palm, gomuti, gomuti palm, Arenga pinnata +n12585137 piassava palm, pissaba palm, Bahia piassava, bahia coquilla, Attalea funifera +n12585373 coquilla nut +n12585629 palmyra, palmyra palm, toddy palm, wine palm, lontar, longar palm, Borassus flabellifer +n12586298 calamus +n12586499 rattan, rattan palm, Calamus rotang +n12586725 lawyer cane, Calamus australis +n12586989 fishtail palm +n12587132 wine palm, jaggery palm, kitul, kittul, kitul tree, toddy palm, Caryota urens +n12587487 wax palm, Ceroxylon andicola, Ceroxylon alpinum +n12587803 coconut, coconut palm, coco palm, coco, cocoa palm, coconut tree, Cocos nucifera +n12588320 carnauba, carnauba palm, wax palm, Copernicia prunifera, Copernicia cerifera +n12588780 caranday, caranda, caranda palm, wax palm, Copernicia australis, Copernicia alba +n12589142 corozo, corozo palm +n12589458 gebang palm, Corypha utan, Corypha gebanga +n12589687 latanier, latanier palm +n12589841 talipot, talipot palm, Corypha umbraculifera +n12590232 oil palm +n12590499 African oil palm, Elaeis guineensis +n12590600 American oil palm, Elaeis oleifera +n12590715 palm nut, palm kernel +n12591017 cabbage palm, Euterpe oleracea +n12591351 cabbage palm, cabbage tree, Livistona australis +n12591702 true sago palm, Metroxylon sagu +n12592058 nipa palm, Nipa fruticans +n12592544 babassu, babassu palm, coco de macao, Orbignya phalerata, Orbignya spesiosa, Orbignya martiana +n12592839 babassu nut +n12593122 cohune palm, Orbignya cohune, cohune +n12593341 cohune nut +n12593994 date palm, Phoenix dactylifera +n12594324 ivory palm, ivory-nut palm, ivory plant, Phytelephas macrocarpa +n12594989 raffia palm, Raffia farinifera, Raffia ruffia +n12595699 bamboo palm, Raffia vinifera +n12595964 lady palm +n12596148 miniature fan palm, bamboo palm, fern rhapis, Rhapis excelsa +n12596345 reed rhapis, slender lady palm, Rhapis humilis +n12596709 royal palm, Roystonea regia +n12596849 cabbage palm, Roystonea oleracea +n12597134 cabbage palmetto, cabbage palm, Sabal palmetto +n12597466 saw palmetto, scrub palmetto, Serenoa repens +n12597798 thatch palm, thatch tree, silver thatch, broom palm, Thrinax parviflora +n12598027 key palm, silvertop palmetto, silver thatch, Thrinax microcarpa, Thrinax morrisii, Thrinax keyensis +n12599185 English plantain, narrow-leaved plantain, ribgrass, ribwort, ripple-grass, buckthorn, Plantago lanceolata +n12599435 broad-leaved plantain, common plantain, white-man's foot, whiteman's foot, cart-track plant, Plantago major +n12599661 hoary plantain, Plantago media +n12599874 fleawort, psyllium, Spanish psyllium, Plantago psyllium +n12600095 rugel's plantain, broad-leaved plantain, Plantago rugelii +n12600267 hoary plantain, Plantago virginica +n12601494 buckwheat, Polygonum fagopyrum, Fagopyrum esculentum +n12601805 prince's-feather, princess feather, kiss-me-over-the-garden-gate, prince's-plume, Polygonum orientale +n12602262 eriogonum +n12602434 umbrella plant, Eriogonum allenii +n12602612 wild buckwheat, California buckwheat, Erigonum fasciculatum +n12602980 rhubarb, rhubarb plant +n12603273 Himalayan rhubarb, Indian rhubarb, red-veined pie plant, Rheum australe, Rheum emodi +n12603449 pie plant, garden rhubarb, Rheum cultorum, Rheum rhabarbarum, Rheum rhaponticum +n12603672 Chinese rhubarb, Rheum palmatum +n12604228 sour dock, garden sorrel, Rumex acetosa +n12604460 sheep sorrel, sheep's sorrel, Rumex acetosella +n12604639 bitter dock, broad-leaved dock, yellow dock, Rumex obtusifolius +n12604845 French sorrel, garden sorrel, Rumex scutatus +n12605683 yellow-eyed grass +n12606438 commelina +n12606545 spiderwort, dayflower +n12607456 pineapple, pineapple plant, Ananas comosus +n12609379 pipewort, Eriocaulon aquaticum +n12610328 water hyacinth, water orchid, Eichhornia crassipes, Eichhornia spesiosa +n12610740 water star grass, mud plantain, Heteranthera dubia +n12611640 naiad, water nymph +n12612170 water plantain, Alisma plantago-aquatica +n12612811 narrow-leaved water plantain +n12613706 hydrilla, Hydrilla verticillata +n12614096 American frogbit, Limnodium spongia +n12614477 waterweed +n12614625 Canadian pondweed, Elodea canadensis +n12615232 tape grass, eelgrass, wild celery, Vallisneria spiralis +n12615710 pondweed +n12616248 curled leaf pondweed, curly pondweed, Potamogeton crispus +n12616630 loddon pondweed, Potamogeton nodosus, Potamogeton americanus +n12616996 frog's lettuce +n12617559 arrow grass, Triglochin maritima +n12618146 horned pondweed, Zannichellia palustris +n12618727 eelgrass, grass wrack, sea wrack, Zostera marina +n12620196 rose, rosebush +n12620546 hip, rose hip, rosehip +n12620969 banksia rose, Rosa banksia +n12621410 damask rose, summer damask rose, Rosa damascena +n12621619 sweetbrier, sweetbriar, brier, briar, eglantine, Rosa eglanteria +n12621945 Cherokee rose, Rosa laevigata +n12622297 musk rose, Rosa moschata +n12622875 agrimonia, agrimony +n12623077 harvest-lice, Agrimonia eupatoria +n12623211 fragrant agrimony, Agrimonia procera +n12623818 alderleaf Juneberry, alder-leaved serviceberry, Amelanchier alnifolia +n12624381 flowering quince +n12624568 japonica, maule's quince, Chaenomeles japonica +n12625003 coco plum, coco plum tree, cocoa plum, icaco, Chrysobalanus icaco +n12625383 cotoneaster +n12625670 Cotoneaster dammeri +n12625823 Cotoneaster horizontalis +n12626674 parsley haw, parsley-leaved thorn, Crataegus apiifolia, Crataegus marshallii +n12626878 scarlet haw, Crataegus biltmoreana +n12627119 blackthorn, pear haw, pear hawthorn, Crataegus calpodendron, Crataegus tomentosa +n12627347 cockspur thorn, cockspur hawthorn, Crataegus crus-galli +n12627526 mayhaw, summer haw, Crataegus aestivalis +n12628356 red haw, downy haw, Crataegus mollis, Crataegus coccinea mollis +n12628705 red haw, Crataegus pedicellata, Crataegus coccinea +n12628986 quince, quince bush, Cydonia oblonga +n12629305 mountain avens, Dryas octopetala +n12629666 loquat, loquat tree, Japanese medlar, Japanese plum, Eriobotrya japonica +n12630763 beach strawberry, Chilean strawberry, Fragaria chiloensis +n12630999 Virginia strawberry, scarlet strawberry, Fragaria virginiana +n12631331 avens +n12631637 yellow avens, Geum alleppicum strictum, Geum strictum +n12631932 yellow avens, Geum macrophyllum +n12632335 prairie smoke, purple avens, Geum triflorum +n12632733 bennet, white avens, Geum virginianum +n12633061 toyon, tollon, Christmasberry, Christmas berry, Heteromeles arbutifolia, Photinia arbutifolia +n12633638 apple tree +n12633994 apple, orchard apple tree, Malus pumila +n12634211 wild apple, crab apple, crabapple +n12634429 crab apple, crabapple, cultivated crab apple +n12634734 Siberian crab, Siberian crab apple, cherry apple, cherry crab, Malus baccata +n12634986 wild crab, Malus sylvestris +n12635151 American crab apple, garland crab, Malus coronaria +n12635359 Oregon crab apple, Malus fusca +n12635532 Southern crab apple, flowering crab, Malus angustifolia +n12635744 Iowa crab, Iowa crab apple, prairie crab, western crab apple, Malus ioensis +n12635955 Bechtel crab, flowering crab +n12636224 medlar, medlar tree, Mespilus germanica +n12636885 cinquefoil, five-finger +n12637123 silverweed, goose-tansy, goose grass, Potentilla anserina +n12637485 salad burnet, burnet bloodwort, pimpernel, Poterium sanguisorba +n12638218 plum, plum tree +n12638556 wild plum, wild plum tree +n12638753 Allegheny plum, Alleghany plum, sloe, Prunus alleghaniensis +n12638964 American red plum, August plum, goose plum, Prunus americana +n12639168 chickasaw plum, hog plum, hog plum bush, Prunus angustifolia +n12639376 beach plum, beach plum bush, Prunus maritima +n12639584 common plum, Prunus domestica +n12639736 bullace, Prunus insititia +n12639910 damson plum, damson plum tree, Prunus domestica insititia +n12640081 big-tree plum, Prunus mexicana +n12640284 Canada plum, Prunus nigra +n12640435 plumcot, plumcot tree +n12640607 apricot, apricot tree +n12640839 Japanese apricot, mei, Prunus mume +n12641007 common apricot, Prunus armeniaca +n12641180 purple apricot, black apricot, Prunus dasycarpa +n12641413 cherry, cherry tree +n12641931 wild cherry, wild cherry tree +n12642090 wild cherry +n12642200 sweet cherry, Prunus avium +n12642435 heart cherry, oxheart, oxheart cherry +n12642600 gean, mazzard, mazzard cherry +n12642964 capulin, capulin tree, Prunus capuli +n12643113 cherry laurel, laurel cherry, mock orange, wild orange, Prunus caroliniana +n12643313 cherry plum, myrobalan, myrobalan plum, Prunus cerasifera +n12643473 sour cherry, sour cherry tree, Prunus cerasus +n12643688 amarelle, Prunus cerasus caproniana +n12643877 morello, Prunus cerasus austera +n12644283 marasca +n12644902 almond tree +n12645174 almond, sweet almond, Prunus dulcis, Prunus amygdalus, Amygdalus communis +n12645530 bitter almond, Prunus dulcis amara, Amygdalus communis amara +n12646072 jordan almond +n12646197 dwarf flowering almond, Prunus glandulosa +n12646397 holly-leaved cherry, holly-leaf cherry, evergreen cherry, islay, Prunus ilicifolia +n12646605 fuji, fuji cherry, Prunus incisa +n12646740 flowering almond, oriental bush cherry, Prunus japonica +n12646950 cherry laurel, laurel cherry, Prunus laurocerasus +n12647231 Catalina cherry, Prunus lyonii +n12647376 bird cherry, bird cherry tree +n12647560 hagberry tree, European bird cherry, common bird cherry, Prunus padus +n12647787 hagberry +n12647893 pin cherry, Prunus pensylvanica +n12648045 peach, peach tree, Prunus persica +n12648196 nectarine, nectarine tree, Prunus persica nectarina +n12648424 sand cherry, Prunus pumila, Prunus pumilla susquehanae, Prunus susquehanae, Prunus cuneata +n12648693 Japanese plum, Prunus salicina +n12648888 black cherry, black cherry tree, rum cherry, Prunus serotina +n12649065 flowering cherry +n12649317 oriental cherry, Japanese cherry, Japanese flowering cherry, Prunus serrulata +n12649539 Japanese flowering cherry, Prunus sieboldii +n12649866 Sierra plum, Pacific plum, Prunus subcordata +n12650038 rosebud cherry, winter flowering cherry, Prunus subhirtella +n12650229 Russian almond, dwarf Russian almond, Prunus tenella +n12650379 flowering almond, Prunus triloba +n12650556 chokecherry, chokecherry tree, Prunus virginiana +n12650805 chokecherry +n12650915 western chokecherry, Prunus virginiana demissa, Prunus demissa +n12651229 Pyracantha, pyracanth, fire thorn, firethorn +n12651611 pear, pear tree, Pyrus communis +n12651821 fruit tree +n12653218 bramble bush +n12653436 lawyerbush, lawyer bush, bush lawyer, Rubus cissoides, Rubus australis +n12653633 stone bramble, Rubus saxatilis +n12654227 sand blackberry, Rubus cuneifolius +n12654857 boysenberry, boysenberry bush +n12655062 loganberry, Rubus loganobaccus, Rubus ursinus loganobaccus +n12655245 American dewberry, Rubus canadensis +n12655351 Northern dewberry, American dewberry, Rubus flagellaris +n12655498 Southern dewberry, Rubus trivialis +n12655605 swamp dewberry, swamp blackberry, Rubus hispidus +n12655726 European dewberry, Rubus caesius +n12655869 raspberry, raspberry bush +n12656369 wild raspberry, European raspberry, framboise, Rubus idaeus +n12656528 American raspberry, Rubus strigosus, Rubus idaeus strigosus +n12656685 black raspberry, blackcap, blackcap raspberry, thimbleberry, Rubus occidentalis +n12656909 salmonberry, Rubus spectabilis +n12657082 salmonberry, salmon berry, thimbleberry, Rubus parviflorus +n12657755 wineberry, Rubus phoenicolasius +n12658118 mountain ash +n12658308 rowan, rowan tree, European mountain ash, Sorbus aucuparia +n12658481 rowanberry +n12658603 American mountain ash, Sorbus americana +n12658715 Western mountain ash, Sorbus sitchensis +n12658846 service tree, sorb apple, sorb apple tree, Sorbus domestica +n12659064 wild service tree, Sorbus torminalis +n12659356 spirea, spiraea +n12659539 bridal wreath, bridal-wreath, Saint Peter's wreath, St. Peter's wreath, Spiraea prunifolia +n12660601 madderwort, rubiaceous plant +n12661045 Indian madder, munjeet, Rubia cordifolia +n12661227 madder, Rubia tinctorum +n12661538 woodruff +n12662074 dagame, lemonwood tree, Calycophyllum candidissimum +n12662379 blolly, West Indian snowberry, Chiococca alba +n12662772 coffee, coffee tree +n12663023 Arabian coffee, Coffea arabica +n12663254 Liberian coffee, Coffea liberica +n12663359 robusta coffee, Rio Nunez coffee, Coffea robusta, Coffea canephora +n12663804 cinchona, chinchona +n12664005 Cartagena bark, Cinchona cordifolia, Cinchona lancifolia +n12664187 calisaya, Cinchona officinalis, Cinchona ledgeriana, Cinchona calisaya +n12664469 cinchona tree, Cinchona pubescens +n12664710 cinchona, cinchona bark, Peruvian bark, Jesuit's bark +n12665048 bedstraw +n12665271 sweet woodruff, waldmeister, woodruff, fragrant bedstraw, Galium odoratum, Asperula odorata +n12665659 Northern bedstraw, Northern snow bedstraw, Galium boreale +n12665857 yellow bedstraw, yellow cleavers, Our Lady's bedstraw, Galium verum +n12666050 wild licorice, Galium lanceolatum +n12666159 cleavers, clivers, goose grass, catchweed, spring cleavers, Galium aparine +n12666369 wild madder, white madder, white bedstraw, infant's-breath, false baby's breath, Galium mollugo +n12666965 cape jasmine, cape jessamine, Gardenia jasminoides, Gardenia augusta +n12667406 genipa +n12667582 genipap fruit, jagua, marmalade box, Genipa Americana +n12667964 hamelia +n12668131 scarlet bush, scarlet hamelia, coloradillo, Hamelia patens, Hamelia erecta +n12669803 lemonwood, lemon-wood, lemonwood tree, lemon-wood tree, Psychotria capensis +n12670334 negro peach, Sarcocephalus latifolius, Sarcocephalus esculentus +n12670758 wild medlar, wild medlar tree, medlar, Vangueria infausta +n12670962 Spanish tamarind, Vangueria madagascariensis +n12671651 abelia +n12672289 bush honeysuckle, Diervilla sessilifolia +n12673588 American twinflower, Linnaea borealis americana +n12674120 honeysuckle +n12674685 American fly honeysuckle, fly honeysuckle, Lonicera canadensis +n12674895 Italian honeysuckle, Italian woodbine, Lonicera caprifolium +n12675299 yellow honeysuckle, Lonicera flava +n12675515 hairy honeysuckle, Lonicera hirsuta +n12675876 Japanese honeysuckle, Lonicera japonica +n12676134 Hall's honeysuckle, Lonicera japonica halliana +n12676370 Morrow's honeysuckle, Lonicera morrowii +n12676534 woodbine, Lonicera periclymenum +n12676703 trumpet honeysuckle, coral honeysuckle, trumpet flower, trumpet vine, Lonicera sempervirens +n12677120 European fly honeysuckle, European honeysuckle, Lonicera xylosteum +n12677331 swamp fly honeysuckle +n12677612 snowberry, common snowberry, waxberry, Symphoricarpos alba +n12677841 coralberry, Indian currant, Symphoricarpos orbiculatus +n12678794 blue elder, blue elderberry, Sambucus caerulea +n12679023 dwarf elder, danewort, Sambucus ebulus +n12679432 American red elder, red-berried elder, stinking elder, Sambucus pubens +n12679593 European red elder, red-berried elder, Sambucus racemosa +n12679876 feverroot, horse gentian, tinker's root, wild coffee, Triostium perfoliatum +n12680402 cranberry bush, cranberry tree, American cranberry bush, highbush cranberry, Viburnum trilobum +n12680652 wayfaring tree, twist wood, twistwood, Viburnum lantana +n12680864 guelder rose, European cranberrybush, European cranberry bush, crampbark, cranberry tree, Viburnum opulus +n12681376 arrow wood, Viburnum recognitum +n12681579 black haw, Viburnum prunifolium +n12681893 weigela, Weigela florida +n12682411 teasel, teazel, teasle +n12682668 common teasel, Dipsacus fullonum +n12682882 fuller's teasel, Dipsacus sativus +n12683096 wild teasel, Dipsacus sylvestris +n12683407 scabious, scabiosa +n12683571 sweet scabious, pincushion flower, mournful widow, Scabiosa atropurpurea +n12683791 field scabious, Scabiosa arvensis +n12684379 jewelweed, lady's earrings, orange balsam, celandine, touch-me-not, Impatiens capensis +n12685431 geranium +n12685831 cranesbill, crane's bill +n12686077 wild geranium, spotted cranesbill, Geranium maculatum +n12686274 meadow cranesbill, Geranium pratense +n12686496 Richardson's geranium, Geranium richardsonii +n12686676 herb robert, herbs robert, herb roberts, Geranium robertianum +n12686877 sticky geranium, Geranium viscosissimum +n12687044 dove's foot geranium, Geranium molle +n12687462 rose geranium, sweet-scented geranium, Pelargonium graveolens +n12687698 fish geranium, bedding geranium, zonal pelargonium, Pelargonium hortorum +n12687957 ivy geranium, ivy-leaved geranium, hanging geranium, Pelargonium peltatum +n12688187 apple geranium, nutmeg geranium, Pelargonium odoratissimum +n12688372 lemon geranium, Pelargonium limoneum +n12688716 storksbill, heron's bill +n12689305 musk clover, muskus grass, white-stemmed filaree, Erodium moschatum +n12690653 incense tree +n12691428 elephant tree, Bursera microphylla +n12691661 gumbo-limbo, Bursera simaruba +n12692024 Boswellia carteri +n12692160 salai, Boswellia serrata +n12692521 balm of gilead, Commiphora meccanensis +n12692714 myrrh tree, Commiphora myrrha +n12693244 Protium heptaphyllum +n12693352 Protium guianense +n12693865 water starwort +n12694486 barbados cherry, acerola, Surinam cherry, West Indian cherry, Malpighia glabra +n12695144 mahogany, mahogany tree +n12695975 chinaberry, chinaberry tree, China tree, Persian lilac, pride-of-India, azederach, azedarach, Melia azederach, Melia azedarach +n12696492 neem, neem tree, nim tree, margosa, arishth, Azadirachta indica, Melia Azadirachta +n12696830 neem seed +n12697152 Spanish cedar, Spanish cedar tree, Cedrela odorata +n12697514 satinwood, satinwood tree, Chloroxylon swietenia +n12698027 African scented mahogany, cedar mahogany, sapele mahogany, Entandrophragma cylindricum +n12698435 silver ash +n12698598 native beech, flindosa, flindosy, Flindersia australis +n12698774 bunji-bunji, Flindersia schottiana +n12699031 African mahogany +n12699301 lanseh tree, langsat, langset, Lansium domesticum +n12699922 true mahogany, Cuban mahogany, Dominican mahogany, Swietinia mahogani +n12700088 Honduras mahogany, Swietinia macrophylla +n12700357 Philippine mahogany, Philippine cedar, kalantas, Toona calantas, Cedrela calantas +n12702124 caracolito, Ruptiliocarpon caracolito +n12703190 common wood sorrel, cuckoo bread, shamrock, Oxalis acetosella +n12703383 Bermuda buttercup, English-weed, Oxalis pes-caprae, Oxalis cernua +n12703557 creeping oxalis, creeping wood sorrel, Oxalis corniculata +n12703716 goatsfoot, goat's foot, Oxalis caprina +n12703856 violet wood sorrel, Oxalis violacea +n12704041 oca, oka, Oxalis tuberosa, Oxalis crenata +n12704343 carambola, carambola tree, Averrhoa carambola +n12704513 bilimbi, Averrhoa bilimbi +n12705013 milkwort +n12705220 senega, Polygala alba +n12705458 orange milkwort, yellow milkwort, candyweed, yellow bachelor's button, Polygala lutea +n12705698 flowering wintergreen, gaywings, bird-on-the-wing, fringed polygala, Polygala paucifolia +n12705978 Seneca snakeroot, Seneka snakeroot, senga root, senega root, senega snakeroot, Polygala senega +n12706410 common milkwort, gand flower, Polygala vulgaris +n12707199 rue, herb of grace, Ruta graveolens +n12707781 citrus, citrus tree +n12708293 orange, orange tree +n12708654 sour orange, Seville orange, bitter orange, bitter orange tree, bigarade, marmalade orange, Citrus aurantium +n12708941 bergamot, bergamot orange, Citrus bergamia +n12709103 pomelo, pomelo tree, pummelo, shaddock, Citrus maxima, Citrus grandis, Citrus decumana +n12709349 citron, citron tree, Citrus medica +n12709688 grapefruit, Citrus paradisi +n12709901 mandarin, mandarin orange, mandarin orange tree, Citrus reticulata +n12710295 tangerine, tangerine tree +n12710415 clementine, clementine tree +n12710577 satsuma, satsuma tree +n12710693 sweet orange, sweet orange tree, Citrus sinensis +n12710917 temple orange, temple orange tree, tangor, king orange, Citrus nobilis +n12711182 tangelo, tangelo tree, ugli fruit, Citrus tangelo +n12711398 rangpur, rangpur lime, lemanderin, Citrus limonia +n12711596 lemon, lemon tree, Citrus limon +n12711817 sweet lemon, sweet lime, Citrus limetta +n12711984 lime, lime tree, Citrus aurantifolia +n12712320 citrange, citrange tree, Citroncirus webberi +n12712626 fraxinella, dittany, burning bush, gas plant, Dictamnus alba +n12713063 kumquat, cumquat, kumquat tree +n12713358 marumi, marumi kumquat, round kumquat, Fortunella japonica +n12713521 nagami, nagami kumquat, oval kumquat, Fortunella margarita +n12713866 cork tree, Phellodendron amurense +n12714254 trifoliate orange, trifoliata, wild orange, Poncirus trifoliata +n12714755 prickly ash +n12714949 toothache tree, sea ash, Zanthoxylum americanum, Zanthoxylum fraxineum +n12715195 Hercules'-club, Hercules'-clubs, Hercules-club, Zanthoxylum clava-herculis +n12715914 bitterwood tree +n12716400 marupa, Simarouba amara +n12716594 paradise tree, bitterwood, Simarouba glauca +n12717072 ailanthus +n12717224 tree of heaven, tree of the gods, Ailanthus altissima +n12717644 wild mango, dika, wild mango tree, Irvingia gabonensis +n12718074 pepper tree, Kirkia wilmsii +n12718483 Jamaica quassia, bitterwood, Picrasma excelsa, Picrasma excelsum +n12718995 quassia, bitterwood, Quassia amara +n12719684 nasturtium +n12719944 garden nasturtium, Indian cress, Tropaeolum majus +n12720200 bush nasturtium, Tropaeolum minus +n12720354 canarybird flower, canarybird vine, canary creeper, Tropaeolum peregrinum +n12721122 bean caper, Syrian bean caper, Zygophyllum fabago +n12721477 palo santo, Bulnesia sarmienti +n12722071 lignum vitae, Guaiacum officinale +n12723062 creosote bush, coville, hediondilla, Larrea tridentata +n12723610 caltrop, devil's weed, Tribulus terestris +n12724942 willow, willow tree +n12725521 osier +n12725738 white willow, Huntingdon willow, Salix alba +n12725940 silver willow, silky willow, Salix alba sericea, Salix sericea +n12726159 golden willow, Salix alba vitellina, Salix vitellina +n12726357 cricket-bat willow, Salix alba caerulea +n12726528 arctic willow, Salix arctica +n12726670 weeping willow, Babylonian weeping willow, Salix babylonica +n12726902 Wisconsin weeping willow, Salix pendulina, Salix blanda, Salix pendulina blanda +n12727101 pussy willow, Salix discolor +n12727301 sallow +n12727518 goat willow, florist's willow, pussy willow, Salix caprea +n12727729 peachleaf willow, peach-leaved willow, almond-leaves willow, Salix amygdaloides +n12727960 almond willow, black Hollander, Salix triandra, Salix amygdalina +n12728164 hoary willow, sage willow, Salix candida +n12728322 crack willow, brittle willow, snap willow, Salix fragilis +n12728508 prairie willow, Salix humilis +n12728656 dwarf willow, Salix herbacea +n12728864 grey willow, gray willow, Salix cinerea +n12729023 arroyo willow, Salix lasiolepis +n12729164 shining willow, Salix lucida +n12729315 swamp willow, black willow, Salix nigra +n12729521 bay willow, laurel willow, Salix pentandra +n12729729 purple willow, red willow, red osier, basket willow, purple osier, Salix purpurea +n12729950 balsam willow, Salix pyrifolia +n12730143 creeping willow, Salix repens +n12730370 Sitka willow, silky willow, Salix sitchensis +n12730544 dwarf grey willow, dwarf gray willow, sage willow, Salix tristis +n12730776 bearberry willow, Salix uva-ursi +n12731029 common osier, hemp willow, velvet osier, Salix viminalis +n12731401 poplar, poplar tree +n12731835 balsam poplar, hackmatack, tacamahac, Populus balsamifera +n12732009 white poplar, white aspen, abele, aspen poplar, silver-leaved poplar, Populus alba +n12732252 grey poplar, gray poplar, Populus canescens +n12732491 black poplar, Populus nigra +n12732605 Lombardy poplar, Populus nigra italica +n12732756 cottonwood +n12732966 Eastern cottonwood, necklace poplar, Populus deltoides +n12733218 black cottonwood, Western balsam poplar, Populus trichocarpa +n12733428 swamp cottonwood, black cottonwood, downy poplar, swamp poplar, Populus heterophylla +n12733647 aspen +n12733870 quaking aspen, European quaking aspen, Populus tremula +n12734070 American quaking aspen, American aspen, Populus tremuloides +n12734215 Canadian aspen, bigtooth aspen, bigtoothed aspen, big-toothed aspen, large-toothed aspen, large tooth aspen, Populus grandidentata +n12735160 sandalwood tree, true sandalwood, Santalum album +n12736603 quandong, quandang, quandong tree, Eucarya acuminata, Fusanus acuminatus +n12736999 rabbitwood, buffalo nut, Pyrularia pubera +n12737383 Loranthaceae, family Loranthaceae, mistletoe family +n12737898 mistletoe, Loranthus europaeus +n12738259 American mistletoe, Arceuthobium pusillum +n12739332 mistletoe, Viscum album, Old World mistletoe +n12739966 American mistletoe, Phoradendron serotinum, Phoradendron flavescens +n12740967 aalii +n12741222 soapberry, soapberry tree +n12741586 wild China tree, Sapindus drumondii, Sapindus marginatus +n12741792 China tree, false dogwood, jaboncillo, chinaberry, Sapindus saponaria +n12742290 akee, akee tree, Blighia sapida +n12742741 soapberry vine +n12742878 heartseed, Cardiospermum grandiflorum +n12743009 balloon vine, heart pea, Cardiospermum halicacabum +n12743352 longan, lungen, longanberry, Dimocarpus longan, Euphorbia litchi, Nephelium longana +n12743823 harpullia +n12743976 harpulla, Harpullia cupanioides +n12744142 Moreton Bay tulipwood, Harpullia pendula +n12744387 litchi, lichee, litchi tree, Litchi chinensis, Nephelium litchi +n12744850 Spanish lime, Spanish lime tree, honey berry, mamoncillo, genip, ginep, Melicocca bijuga, Melicocca bijugatus +n12745386 rambutan, rambotan, rambutan tree, Nephelium lappaceum +n12745564 pulasan, pulassan, pulasan tree, Nephelium mutabile +n12746884 pachysandra +n12747120 Allegheny spurge, Allegheny mountain spurge, Pachysandra procumbens +n12748248 bittersweet, American bittersweet, climbing bittersweet, false bittersweet, staff vine, waxwork, shrubby bittersweet, Celastrus scandens +n12749049 spindle tree, spindleberry, spindleberry tree +n12749456 winged spindle tree, Euonymous alatus +n12749679 wahoo, burning bush, Euonymus atropurpureus +n12749852 strawberry bush, wahoo, Euonymus americanus +n12750076 evergreen bittersweet, Euonymus fortunei radicans, Euonymus radicans vegetus +n12750767 cyrilla, leatherwood, white titi, Cyrilla racemiflora +n12751172 titi, buckwheat tree, Cliftonia monophylla +n12751675 crowberry +n12752205 maple +n12753007 silver maple, Acer saccharinum +n12753245 sugar maple, rock maple, Acer saccharum +n12753573 red maple, scarlet maple, swamp maple, Acer rubrum +n12753762 moosewood, moose-wood, striped maple, striped dogwood, goosefoot maple, Acer pennsylvanicum +n12754003 Oregon maple, big-leaf maple, Acer macrophyllum +n12754174 dwarf maple, Rocky-mountain maple, Acer glabrum +n12754311 mountain maple, mountain alder, Acer spicatum +n12754468 vine maple, Acer circinatum +n12754648 hedge maple, field maple, Acer campestre +n12754781 Norway maple, Acer platanoides +n12754981 sycamore, great maple, scottish maple, Acer pseudoplatanus +n12755225 box elder, ash-leaved maple, Acer negundo +n12755387 California box elder, Acer negundo Californicum +n12755559 pointed-leaf maple, Acer argutum +n12755727 Japanese maple, full moon maple, Acer japonicum +n12755876 Japanese maple, Acer palmatum +n12756457 holly +n12757115 Chinese holly, Ilex cornuta +n12757303 bearberry, possum haw, winterberry, Ilex decidua +n12757458 inkberry, gallberry, gall-berry, evergreen winterberry, Ilex glabra +n12757668 mate, Paraguay tea, Ilex paraguariensis +n12757816 American holly, Christmas holly +n12757930 low gallberry holly +n12758014 tall gallberry holly +n12758099 yaupon holly +n12758176 deciduous holly +n12758250 juneberry holly +n12758325 largeleaf holly +n12758399 Geogia holly +n12758471 common winterberry holly +n12758555 smooth winterberry holly +n12759273 cashew, cashew tree, Anacardium occidentale +n12759668 goncalo alves, Astronium fraxinifolium +n12760539 Venetian sumac, wig tree, Cotinus coggygria +n12760875 laurel sumac, Malosma laurina, Rhus laurina +n12761284 mango, mango tree, Mangifera indica +n12761702 pistachio, Pistacia vera, pistachio tree +n12761905 terebinth, Pistacia terebinthus +n12762049 mastic, mastic tree, lentisk, Pistacia lentiscus +n12762405 Australian sumac, Rhodosphaera rhodanthema, Rhus rhodanthema +n12762896 sumac, sumach, shumac +n12763529 smooth sumac, scarlet sumac, vinegar tree, Rhus glabra +n12764008 sugar-bush, sugar sumac, Rhus ovata +n12764202 staghorn sumac, velvet sumac, Virginian sumac, vinegar tree, Rhus typhina +n12764507 squawbush, squaw-bush, skunkbush, Rhus trilobata +n12764978 aroeira blanca, Schinus chichita +n12765115 pepper tree, molle, Peruvian mastic tree, Schinus molle +n12765402 Brazilian pepper tree, Schinus terebinthifolius +n12765846 hog plum, yellow mombin, yellow mombin tree, Spondias mombin +n12766043 mombin, mombin tree, jocote, Spondias purpurea +n12766595 poison ash, poison dogwood, poison sumac, Toxicodendron vernix, Rhus vernix +n12766869 poison ivy, markweed, poison mercury, poison oak, Toxicodendron radicans, Rhus radicans +n12767208 western poison oak, Toxicodendron diversilobum, Rhus diversiloba +n12767423 eastern poison oak, Toxicodendron quercifolium, Rhus quercifolia, Rhus toxicodenedron +n12767648 varnish tree, lacquer tree, Chinese lacquer tree, Japanese lacquer tree, Japanese varnish tree, Japanese sumac, Toxicodendron vernicifluum, Rhus verniciflua +n12768369 horse chestnut, buckeye, Aesculus hippocastanum +n12768682 buckeye, horse chestnut, conker +n12768809 sweet buckeye +n12768933 Ohio buckeye +n12769065 dwarf buckeye, bottlebrush buckeye +n12769219 red buckeye +n12769318 particolored buckeye +n12770529 ebony, ebony tree, Diospyros ebenum +n12770892 marblewood, marble-wood, Andaman marble, Diospyros kurzii +n12771085 marblewood, marble-wood +n12771192 persimmon, persimmon tree +n12771390 Japanese persimmon, kaki, Diospyros kaki +n12771597 American persimmon, possumwood, Diospyros virginiana +n12771890 date plum, Diospyros lotus +n12772753 buckthorn +n12772908 southern buckthorn, shittimwood, shittim, mock orange, Bumelia lycioides +n12773142 false buckthorn, chittamwood, chittimwood, shittimwood, black haw, Bumelia lanuginosa +n12773651 star apple, caimito, Chrysophyllum cainito +n12773917 satinleaf, satin leaf, caimitillo, damson plum, Chrysophyllum oliviforme +n12774299 balata, balata tree, beefwood, bully tree, Manilkara bidentata +n12774641 sapodilla, sapodilla tree, Manilkara zapota, Achras zapota +n12775070 gutta-percha tree, Palaquium gutta +n12775393 gutta-percha tree +n12775717 canistel, canistel tree, Pouteria campechiana nervosa +n12775919 marmalade tree, mammee, sapote, Pouteria zapota, Calocarpum zapota +n12776558 sweetleaf, Symplocus tinctoria +n12776774 Asiatic sweetleaf, sapphire berry, Symplocus paniculata +n12777436 styrax +n12777680 snowbell, Styrax obassia +n12777778 Japanese snowbell, Styrax japonicum +n12777892 Texas snowbell, Texas snowbells, Styrax texana +n12778398 silver-bell tree, silverbell tree, snowdrop tree, opossum wood, Halesia carolina, Halesia tetraptera +n12778605 carnivorous plant +n12779603 pitcher plant +n12779851 common pitcher plant, huntsman's cup, huntsman's cups, Sarracenia purpurea +n12780325 hooded pitcher plant, Sarracenia minor +n12780563 huntsman's horn, huntsman's horns, yellow trumpet, yellow pitcher plant, trumpets, Sarracenia flava +n12781940 tropical pitcher plant +n12782530 sundew, sundew plant, daily dew +n12782915 Venus's flytrap, Venus's flytraps, Dionaea muscipula +n12783316 waterwheel plant, Aldrovanda vesiculosa +n12783730 Drosophyllum lusitanicum +n12784371 roridula +n12784889 Australian pitcher plant, Cephalotus follicularis +n12785724 sedum +n12785889 stonecrop +n12786273 rose-root, midsummer-men, Sedum rosea +n12786464 orpine, orpin, livelong, live-forever, Sedum telephium +n12786836 pinwheel, Aeonium haworthii +n12787364 Christmas bush, Christmas tree, Ceratopetalum gummiferum +n12788854 hortensia, Hydrangea macrophylla hortensis +n12789054 fall-blooming hydrangea, Hydrangea paniculata +n12789554 carpenteria, Carpenteria californica +n12789977 decumary, Decumaria barbata, Decumaria barbara +n12790430 deutzia +n12791064 philadelphus +n12791329 mock orange, syringa, Philadelphus coronarius +n12793015 saxifrage, breakstone, rockfoil +n12793284 yellow mountain saxifrage, Saxifraga aizoides +n12793494 meadow saxifrage, fair-maids-of-France, Saxifraga granulata +n12793695 mossy saxifrage, Saxifraga hypnoides +n12793886 western saxifrage, Saxifraga occidentalis +n12794135 purple saxifrage, Saxifraga oppositifolia +n12794367 star saxifrage, starry saxifrage, Saxifraga stellaris +n12794568 strawberry geranium, strawberry saxifrage, mother-of-thousands, Saxifraga stolonifera, Saxifraga sarmentosam +n12794985 astilbe +n12795209 false goatsbeard, Astilbe biternata +n12795352 dwarf astilbe, Astilbe chinensis pumila +n12795555 spirea, spiraea, Astilbe japonica +n12796022 bergenia +n12796385 coast boykinia, Boykinia elata, Boykinia occidentalis +n12796849 golden saxifrage, golden spleen +n12797368 umbrella plant, Indian rhubarb, Darmera peltata, Peltiphyllum peltatum +n12797860 bridal wreath, bridal-wreath, Francoa ramosa +n12798284 alumroot, alumbloom +n12798910 coralbells, Heuchera sanguinea +n12799269 leatherleaf saxifrage, Leptarrhena pyrolifolia +n12799776 woodland star, Lithophragma affine, Lithophragma affinis, Tellima affinis +n12800049 prairie star, Lithophragma parviflorum +n12800586 miterwort, mitrewort, bishop's cap +n12801072 five-point bishop's cap, Mitella pentandra +n12801520 parnassia, grass-of-Parnassus +n12801781 bog star, Parnassia palustris +n12801966 fringed grass of Parnassus, Parnassia fimbriata +n12803226 false alumroot, fringe cups, Tellima grandiflora +n12803754 foamflower, coolwart, false miterwort, false mitrewort, Tiarella cordifolia +n12803958 false miterwort, false mitrewort, Tiarella unifoliata +n12804352 pickaback plant, piggyback plant, youth-on-age, Tolmiea menziesii +n12805146 currant, currant bush +n12805561 black currant, European black currant, Ribes nigrum +n12805762 white currant, Ribes sativum +n12806015 gooseberry, gooseberry bush, Ribes uva-crispa, Ribes grossularia +n12806732 plane tree, sycamore, platan +n12807251 London plane, Platanus acerifolia +n12807409 American sycamore, American plane, buttonwood, Platanus occidentalis +n12807624 oriental plane, Platanus orientalis +n12807773 California sycamore, Platanus racemosa +n12808007 Arizona sycamore, Platanus wrightii +n12809868 Greek valerian, Polemonium reptans +n12810007 northern Jacob's ladder, Polemonium boreale +n12810151 skunkweed, skunk-weed, Polemonium viscosum +n12810595 phlox +n12811027 moss pink, mountain phlox, moss phlox, dwarf phlox, Phlox subulata +n12811713 evening-snow, Linanthus dichotomus +n12812235 acanthus +n12812478 bear's breech, bear's breeches, sea holly, Acanthus mollis +n12812801 caricature plant, Graptophyllum pictum +n12813189 black-eyed Susan, black-eyed Susan vine, Thunbergia alata +n12814643 catalpa, Indian bean +n12814857 Catalpa bignioides +n12814960 Catalpa speciosa +n12815198 desert willow, Chilopsis linearis +n12815668 calabash, calabash tree, Crescentia cujete +n12815838 calabash +n12816508 borage, tailwort, Borago officinalis +n12816942 common amsinckia, Amsinckia intermedia +n12817464 anchusa +n12817694 bugloss, alkanet, Anchusa officinalis +n12817855 cape forget-me-not, Anchusa capensis +n12818004 cape forget-me-not, Anchusa riparia +n12818346 Spanish elm, Equador laurel, salmwood, cypre, princewood, Cordia alliodora +n12818601 princewood, Spanish elm, Cordia gerascanthus +n12818966 Chinese forget-me-not, Cynoglossum amabile +n12819141 hound's-tongue, Cynoglossum officinale +n12819354 hound's-tongue, Cynoglossum virginaticum +n12819728 blueweed, blue devil, blue thistle, viper's bugloss, Echium vulgare +n12820113 beggar's lice, beggar lice +n12820669 gromwell, Lithospermum officinale +n12820853 puccoon, Lithospermum caroliniense +n12821505 Virginia bluebell, Virginia cowslip, Mertensia virginica +n12821895 garden forget-me-not, Myosotis sylvatica +n12822115 forget-me-not, mouse ear, Myosotis scorpiodes +n12822466 false gromwell +n12822769 comfrey, cumfrey +n12822955 common comfrey, boneset, Symphytum officinale +n12823717 convolvulus +n12823859 bindweed +n12824053 field bindweed, wild morning-glory, Convolvulus arvensis +n12824289 scammony, Convolvulus scammonia +n12824735 silverweed +n12825497 dodder +n12826143 dichondra, Dichondra micrantha +n12827270 cypress vine, star-glory, Indian pink, Ipomoea quamoclit, Quamoclit pennata +n12827537 moonflower, belle de nuit, Ipomoea alba +n12827907 wild potato vine, wild sweet potato vine, man-of-the-earth, manroot, scammonyroot, Ipomoea panurata, Ipomoea fastigiata +n12828220 red morning-glory, star ipomoea, Ipomoea coccinea +n12828379 man-of-the-earth, Ipomoea leptophylla +n12828520 scammony, Ipomoea orizabensis +n12828791 Japanese morning glory, Ipomoea nil +n12828977 imperial Japanese morning glory, Ipomoea imperialis +n12829582 gesneriad +n12829975 gesneria +n12830222 achimenes, hot water plant +n12830568 aeschynanthus +n12831141 lace-flower vine, Alsobia dianthiflora, Episcia dianthiflora +n12831535 columnea +n12831932 episcia +n12832315 gloxinia +n12832538 Canterbury bell, Gloxinia perennis +n12832822 kohleria +n12833149 African violet, Saintpaulia ionantha +n12833985 streptocarpus +n12834190 Cape primrose +n12834798 waterleaf +n12834938 Virginia waterleaf, Shawnee salad, shawny, Indian salad, John's cabbage, Hydrophyllum virginianum +n12835331 yellow bells, California yellow bells, whispering bells, Emmanthe penduliflora +n12835766 yerba santa, Eriodictyon californicum +n12836212 nemophila +n12836337 baby blue-eyes, Nemophila menziesii +n12836508 five-spot, Nemophila maculata +n12836862 scorpionweed, scorpion weed, phacelia +n12837052 California bluebell, Phacelia campanularia +n12837259 California bluebell, whitlavia, Phacelia minor, Phacelia whitlavia +n12837466 fiddleneck, Phacelia tanacetifolia +n12837803 fiesta flower, Pholistoma auritum, Nemophila aurita +n12839574 basil thyme, basil balm, mother of thyme, Acinos arvensis, Satureja acinos +n12839979 giant hyssop +n12840168 yellow giant hyssop, Agastache nepetoides +n12840362 anise hyssop, Agastache foeniculum +n12840502 Mexican hyssop, Agastache mexicana +n12840749 bugle, bugleweed +n12841007 creeping bugle, Ajuga reptans +n12841193 erect bugle, blue bugle, Ajuga genevensis +n12841354 pyramid bugle, Ajuga pyramidalis +n12842302 wood mint +n12842519 hairy wood mint, Blephilia hirsuta +n12842642 downy wood mint, Blephilia celiata +n12842887 calamint +n12843144 common calamint, Calamintha sylvatica, Satureja calamintha officinalis +n12843316 large-flowered calamint, Calamintha grandiflora, Clinopodium grandiflorum, Satureja grandiflora +n12843557 lesser calamint, field balm, Calamintha nepeta, Calamintha nepeta glantulosa, Satureja nepeta, Satureja calamintha glandulosa +n12843970 wild basil, cushion calamint, Clinopodium vulgare, Satureja vulgaris +n12844409 horse balm, horseweed, stoneroot, stone-root, richweed, stone root, Collinsonia canadensis +n12844939 coleus, flame nettle +n12845187 country borage, Coleus aromaticus, Coleus amboinicus, Plectranthus amboinicus +n12845413 painted nettle, Joseph's coat, Coleus blumei, Solenostemon blumei, Solenostemon scutellarioides +n12845908 Apalachicola rosemary, Conradina glabra +n12846335 dragonhead, dragon's head, Dracocephalum parviflorum +n12846690 elsholtzia +n12847008 hemp nettle, dead nettle, Galeopsis tetrahit +n12847374 ground ivy, alehoof, field balm, gill-over-the-ground, runaway robin, Glechoma hederaceae, Nepeta hederaceae +n12847927 pennyroyal, American pennyroyal, Hedeoma pulegioides +n12848499 hyssop, Hyssopus officinalis +n12849061 dead nettle +n12849279 white dead nettle, Lamium album +n12849416 henbit, Lamium amplexicaule +n12849952 English lavender, Lavandula angustifolia, Lavandula officinalis +n12850168 French lavender, Lavandula stoechas +n12850336 spike lavender, French lavender, Lavandula latifolia +n12850906 dagga, Cape dagga, red dagga, wilde dagga, Leonotis leonurus +n12851094 lion's-ear, Leonotis nepetaefolia, Leonotis nepetifolia +n12851469 motherwort, Leonurus cardiaca +n12851860 pitcher sage, Lepechinia calycina, Sphacele calycina +n12852234 bugleweed, Lycopus virginicus +n12852428 water horehound, Lycopus americanus +n12852570 gipsywort, gypsywort, Lycopus europaeus +n12853080 origanum +n12853287 oregano, marjoram, pot marjoram, wild marjoram, winter sweet, Origanum vulgare +n12853482 sweet marjoram, knotted marjoram, Origanum majorana, Majorana hortensis +n12854048 horehound +n12854193 common horehound, white horehound, Marrubium vulgare +n12854600 lemon balm, garden balm, sweet balm, bee balm, beebalm, Melissa officinalis +n12855365 corn mint, field mint, Mentha arvensis +n12855494 water-mint, water mint, Mentha aquatica +n12855710 bergamot mint, lemon mint, eau de cologne mint, Mentha citrata +n12855886 horsemint, Mentha longifolia +n12856091 peppermint, Mentha piperita +n12856287 spearmint, Mentha spicata +n12856479 apple mint, applemint, Mentha rotundifolia, Mentha suaveolens +n12856680 pennyroyal, Mentha pulegium +n12857204 yerba buena, Micromeria chamissonis, Micromeria douglasii, Satureja douglasii +n12857779 molucca balm, bells of Ireland, Molucella laevis +n12858150 monarda, wild bergamot +n12858397 bee balm, beebalm, bergamot mint, oswego tea, Monarda didyma +n12858618 horsemint, Monarda punctata +n12858871 bee balm, beebalm, Monarda fistulosa +n12858987 lemon mint, horsemint, Monarda citriodora +n12859153 plains lemon monarda, Monarda pectinata +n12859272 basil balm, Monarda clinopodia +n12859679 mustang mint, Monardella lanceolata +n12859986 catmint, catnip, Nepeta cataria +n12860365 basil +n12860978 beefsteak plant, Perilla frutescens crispa +n12861345 phlomis +n12861541 Jerusalem sage, Phlomis fruticosa +n12861892 physostegia +n12862512 plectranthus +n12862828 patchouli, patchouly, pachouli, Pogostemon cablin +n12863234 self-heal, heal all, Prunella vulgaris +n12863624 mountain mint +n12864160 rosemary, Rosmarinus officinalis +n12865037 clary sage, Salvia clarea +n12865562 purple sage, chaparral sage, Salvia leucophylla +n12865708 cancerweed, cancer weed, Salvia lyrata +n12865824 common sage, ramona, Salvia officinalis +n12866002 meadow clary, Salvia pratensis +n12866162 clary, Salvia sclarea +n12866333 pitcher sage, Salvia spathacea +n12866459 Mexican mint, Salvia divinorum +n12866635 wild sage, wild clary, vervain sage, Salvia verbenaca +n12866968 savory +n12867184 summer savory, Satureja hortensis, Satureia hortensis +n12867449 winter savory, Satureja montana, Satureia montana +n12867826 skullcap, helmetflower +n12868019 blue pimpernel, blue skullcap, mad-dog skullcap, mad-dog weed, Scutellaria lateriflora +n12868880 hedge nettle, dead nettle, Stachys sylvatica +n12869061 hedge nettle, Stachys palustris +n12869478 germander +n12869668 American germander, wood sage, Teucrium canadense +n12870048 cat thyme, marum, Teucrium marum +n12870225 wood sage, Teucrium scorodonia +n12870535 thyme +n12870682 common thyme, Thymus vulgaris +n12870891 wild thyme, creeping thyme, Thymus serpyllum +n12871272 blue curls +n12871696 turpentine camphor weed, camphorweed, vinegarweed, Trichostema lanceolatum +n12871859 bastard pennyroyal, Trichostema dichotomum +n12872458 bladderwort +n12872914 butterwort +n12873341 genlisea +n12873984 martynia, Martynia annua +n12875269 common unicorn plant, devil's claw, common devil's claw, elephant-tusk, proboscis flower, ram's horn, Proboscidea louisianica +n12875697 sand devil's claw, Proboscidea arenaria, Martynia arenaria +n12875861 sweet unicorn plant, Proboscidea fragrans, Martynia fragrans +n12876899 figwort +n12877244 snapdragon +n12877493 white snapdragon, Antirrhinum coulterianum +n12877637 yellow twining snapdragon, Antirrhinum filipes +n12877838 Mediterranean snapdragon, Antirrhinum majus +n12878169 kitten-tails +n12878325 Alpine besseya, Besseya alpina +n12878784 false foxglove, Aureolaria pedicularia, Gerardia pedicularia +n12879068 false foxglove, Aureolaria virginica, Gerardia virginica +n12879527 calceolaria, slipperwort +n12879963 Indian paintbrush, painted cup +n12880244 desert paintbrush, Castilleja chromosa +n12880462 giant red paintbrush, Castilleja miniata +n12880638 great plains paintbrush, Castilleja sessiliflora +n12880799 sulfur paintbrush, Castilleja sulphurea +n12881105 shellflower, shell-flower, turtlehead, snakehead, snake-head, Chelone glabra +n12881913 maiden blue-eyed Mary, Collinsia parviflora +n12882158 blue-eyed Mary, Collinsia verna +n12882779 foxglove, digitalis +n12882945 common foxglove, fairy bell, fingerflower, finger-flower, fingerroot, finger-root, Digitalis purpurea +n12883265 yellow foxglove, straw foxglove, Digitalis lutea +n12883628 gerardia +n12884100 blue toadflax, old-field toadflax, Linaria canadensis +n12884260 toadflax, butter-and-eggs, wild snapdragon, devil's flax, Linaria vulgaris +n12885045 golden-beard penstemon, Penstemon barbatus +n12885265 scarlet bugler, Penstemon centranthifolius +n12885510 red shrubby penstemon, redwood penstemon +n12885754 Platte River penstemon, Penstemon cyananthus +n12886185 hot-rock penstemon, Penstemon deustus +n12886402 Jones' penstemon, Penstemon dolius +n12886600 shrubby penstemon, lowbush penstemon, Penstemon fruticosus +n12886831 narrow-leaf penstemon, Penstemon linarioides +n12887293 balloon flower, scented penstemon, Penstemon palmeri +n12887532 Parry's penstemon, Penstemon parryi +n12887713 rock penstemon, cliff penstemon, Penstemon rupicola +n12888016 Rydberg's penstemon, Penstemon rydbergii +n12888234 cascade penstemon, Penstemon serrulatus +n12888457 Whipple's penstemon, Penstemon whippleanus +n12889219 moth mullein, Verbascum blattaria +n12889412 white mullein, Verbascum lychnitis +n12889579 purple mullein, Verbascum phoeniceum +n12889713 common mullein, great mullein, Aaron's rod, flannel mullein, woolly mullein, torch, Verbascum thapsus +n12890265 veronica, speedwell +n12890490 field speedwell, Veronica agrestis +n12890685 brooklime, American brooklime, Veronica americana +n12890928 corn speedwell, Veronica arvensis +n12891093 brooklime, European brooklime, Veronica beccabunga +n12891305 germander speedwell, bird's eye, Veronica chamaedrys +n12891469 water speedwell, Veronica michauxii, Veronica anagallis-aquatica +n12891643 common speedwell, gypsyweed, Veronica officinalis +n12891824 purslane speedwell, Veronica peregrina +n12892013 thyme-leaved speedwell, Veronica serpyllifolia +n12893463 nightshade +n12893993 horse nettle, ball nettle, bull nettle, ball nightshade, Solanum carolinense +n12895298 African holly, Solanum giganteum +n12895811 potato vine, Solanum jasmoides +n12896615 garden huckleberry, wonderberry, sunberry, Solanum nigrum guineese, Solanum melanocerasum, Solanum burbankii +n12897118 naranjilla, Solanum quitoense +n12897788 potato vine, giant potato creeper, Solanum wendlandii +n12897999 potato tree, Brazilian potato tree, Solanum wrightii, Solanum macranthum +n12898342 belladonna, belladonna plant, deadly nightshade, Atropa belladonna +n12898774 bush violet, browallia +n12899166 lady-of-the-night, Brunfelsia americana +n12899537 angel's trumpet, maikoa, Brugmansia arborea, Datura arborea +n12899752 angel's trumpet, Brugmansia suaveolens, Datura suaveolens +n12899971 red angel's trumpet, Brugmansia sanguinea, Datura sanguinea +n12900783 cone pepper, Capsicum annuum conoides +n12901724 bird pepper, Capsicum frutescens baccatum, Capsicum baccatum +n12902466 day jessamine, Cestrum diurnum +n12902662 night jasmine, night jessamine, Cestrum nocturnum +n12903014 tree tomato, tamarillo +n12903367 thorn apple +n12903503 jimsonweed, jimson weed, Jamestown weed, common thorn apple, apple of Peru, Datura stramonium +n12903964 pichi, Fabiana imbricata +n12904314 henbane, black henbane, stinking nightshade, Hyoscyamus niger +n12904562 Egyptian henbane, Hyoscyamus muticus +n12904938 matrimony vine, boxthorn +n12905135 common matrimony vine, Duke of Argyll's tea tree, Lycium barbarum, Lycium halimifolium +n12905412 Christmasberry, Christmas berry, Lycium carolinianum +n12906214 plum tomato +n12906498 mandrake, devil's apples, Mandragora officinarum +n12906771 mandrake root, mandrake +n12907057 apple of Peru, shoo fly, Nicandra physaloides +n12907671 flowering tobacco, Jasmine tobacco, Nicotiana alata +n12907857 common tobacco, Nicotiana tabacum +n12908093 wild tobacco, Indian tobacco, Nicotiana rustica +n12908645 cupflower, nierembergia +n12908854 whitecup, Nierembergia repens, Nierembergia rivularis +n12909421 petunia +n12909614 large white petunia, Petunia axillaris +n12909759 violet-flowered petunia, Petunia integrifolia +n12909917 hybrid petunia, Petunia hybrida +n12911079 cape gooseberry, purple ground cherry, Physalis peruviana +n12911264 strawberry tomato, dwarf cape gooseberry, Physalis pruinosa +n12911440 tomatillo, jamberry, Mexican husk tomato, Physalis ixocarpa +n12911673 tomatillo, miltomate, purple ground cherry, jamberry, Physalis philadelphica +n12911914 yellow henbane, Physalis viscosa +n12912274 cock's eggs, Salpichroa organifolia, Salpichroa rhomboidea +n12912670 salpiglossis +n12912801 painted tongue, Salpiglossis sinuata +n12913144 butterfly flower, poor man's orchid, schizanthus +n12913524 Scopolia carniolica +n12913791 chalice vine, trumpet flower, cupflower, Solandra guttata +n12914923 verbena, vervain +n12915140 lantana +n12915568 black mangrove, Avicennia marina +n12915811 white mangrove, Avicennia officinalis +n12916179 black mangrove, Aegiceras majus +n12916511 teak, Tectona grandis +n12917901 spurge +n12918609 sun spurge, wartweed, wartwort, devil's milk, Euphorbia helioscopia +n12918810 petty spurge, devil's milk, Euphorbia peplus +n12918991 medusa's head, Euphorbia medusae, Euphorbia caput-medusae +n12919195 wild spurge, flowering spurge, tramp's spurge, Euphorbia corollata +n12919403 snow-on-the-mountain, snow-in-summer, ghost weed, Euphorbia marginata +n12919646 cypress spurge, Euphorbia cyparissias +n12919847 leafy spurge, wolf's milk, Euphorbia esula +n12920043 hairy spurge, Euphorbia hirsuta +n12920204 poinsettia, Christmas star, Christmas flower, lobster plant, Mexican flameleaf, painted leaf, Euphorbia pulcherrima +n12920521 Japanese poinsettia, mole plant, paint leaf, Euphorbia heterophylla +n12920719 fire-on-the-mountain, painted leaf, Mexican fire plant, Euphorbia cyathophora +n12920955 wood spurge, Euphorbia amygdaloides +n12921315 dwarf spurge, Euphorbia exigua +n12921499 scarlet plume, Euphorbia fulgens +n12921660 naboom, cactus euphorbia, Euphorbia ingens +n12921868 crown of thorns, Christ thorn, Christ plant, Euphorbia milii +n12922119 toothed spurge, Euphorbia dentata +n12922458 three-seeded mercury, Acalypha virginica +n12922763 croton, Croton tiglium +n12923108 cascarilla, Croton eluteria +n12923257 cascarilla bark, eleuthera bark, sweetwood bark +n12924623 castor-oil plant, castor bean plant, palma christi, palma christ, Ricinus communis +n12925179 spurge nettle, tread-softly, devil nettle, pica-pica, Cnidoscolus urens, Jatropha urens, Jatropha stimulosus +n12925583 physic nut, Jatropha curcus +n12926039 Para rubber tree, caoutchouc tree, Hevea brasiliensis +n12926480 cassava, casava +n12926689 bitter cassava, manioc, mandioc, mandioca, tapioca plant, gari, Manihot esculenta, Manihot utilissima +n12927013 cassava, manioc +n12927194 sweet cassava, Manihot dulcis +n12927494 candlenut, varnish tree, Aleurites moluccana +n12927758 tung tree, tung, tung-oil tree, Aleurites fordii +n12928071 slipper spurge, slipper plant +n12928307 candelilla, Pedilanthus bracteatus, Pedilanthus pavonis +n12928491 Jewbush, Jew-bush, Jew bush, redbird cactus, redbird flower, Pedilanthus tithymaloides +n12928819 jumping bean, jumping seed, Mexican jumping bean +n12929403 camellia, camelia +n12929600 japonica, Camellia japonica +n12930778 umbellifer, umbelliferous plant +n12930951 wild parsley +n12931231 fool's parsley, lesser hemlock, Aethusa cynapium +n12931542 dill, Anethum graveolens +n12931906 angelica, angelique +n12932173 garden angelica, archangel, Angelica Archangelica +n12932365 wild angelica, Angelica sylvestris +n12932706 chervil, beaked parsley, Anthriscus cereifolium +n12932966 cow parsley, wild chervil, Anthriscus sylvestris +n12933274 wild celery, Apium graveolens +n12934036 astrantia, masterwort +n12934174 greater masterwort, Astrantia major +n12934479 caraway, Carum carvi +n12934685 whorled caraway +n12934985 water hemlock, Cicuta verosa +n12935166 spotted cowbane, spotted hemlock, spotted water hemlock +n12935609 hemlock, poison hemlock, poison parsley, California fern, Nebraska fern, winter fern, Conium maculatum +n12936155 earthnut, Conopodium denudatum +n12936826 cumin, Cuminum cyminum +n12937130 wild carrot, Queen Anne's lace, Daucus carota +n12938081 eryngo, eringo +n12938193 sea holly, sea holm, sea eryngium, Eryngium maritimum +n12938445 button snakeroot, Eryngium aquaticum +n12938667 rattlesnake master, rattlesnake's master, button snakeroot, Eryngium yuccifolium +n12939104 fennel +n12939282 common fennel, Foeniculum vulgare +n12939479 Florence fennel, Foeniculum dulce, Foeniculum vulgare dulce +n12939874 cow parsnip, hogweed, Heracleum sphondylium +n12940226 lovage, Levisticum officinale +n12940609 sweet cicely, Myrrhis odorata +n12941220 water fennel, Oenanthe aquatica +n12941536 parsnip, Pastinaca sativa +n12941717 cultivated parsnip +n12942025 wild parsnip, madnep +n12942395 parsley, Petroselinum crispum +n12942572 Italian parsley, flat-leaf parsley, Petroselinum crispum neapolitanum +n12942729 Hamburg parsley, turnip-rooted parsley, Petroselinum crispum tuberosum +n12943049 anise, anise plant, Pimpinella anisum +n12943443 sanicle, snakeroot +n12943912 purple sanicle, Sanicula bipinnatifida +n12944095 European sanicle, Sanicula Europaea +n12945177 water parsnip, Sium suave +n12945366 greater water parsnip, Sium latifolium +n12945549 skirret, Sium sisarum +n12946849 dogwood, dogwood tree, cornel +n12947313 common white dogwood, eastern flowering dogwood, Cornus florida +n12947544 red osier, red osier dogwood, red dogwood, American dogwood, redbrush, Cornus stolonifera +n12947756 silky dogwood, Cornus obliqua +n12947895 silky cornel, silky dogwood, Cornus amomum +n12948053 common European dogwood, red dogwood, blood-twig, pedwood, Cornus sanguinea +n12948251 bunchberry, dwarf cornel, crackerberry, pudding berry, Cornus canadensis +n12948495 cornelian cherry, Cornus mas +n12949160 puka, Griselinia lucida +n12949361 kapuka, Griselinia littoralis +n12950126 valerian +n12950314 common valerian, garden heliotrope, Valeriana officinalis +n12950796 common corn salad, lamb's lettuce, Valerianella olitoria, Valerianella locusta +n12951146 red valerian, French honeysuckle, Centranthus ruber +n12951835 filmy fern, film fern +n12952165 bristle fern, filmy fern +n12952469 hare's-foot bristle fern, Trichomanes boschianum +n12952590 Killarney fern, Trichomanes speciosum +n12952717 kidney fern, Trichomanes reniforme +n12953206 flowering fern, osmund +n12953484 royal fern, royal osmund, king fern, ditch fern, French bracken, Osmunda regalis +n12953712 interrupted fern, Osmunda clatonia +n12954353 crape fern, Prince-of-Wales fern, Prince-of-Wales feather, Prince-of-Wales plume, Leptopteris superba, Todea superba +n12954799 crepe fern, king fern, Todea barbara +n12955414 curly grass, curly grass fern, Schizaea pusilla +n12955840 pine fern, Anemia adiantifolia +n12956170 climbing fern +n12956367 creeping fern, Hartford fern, Lygodium palmatum +n12956588 climbing maidenhair, climbing maidenhair fern, snake fern, Lygodium microphyllum +n12956922 scented fern, Mohria caffrorum +n12957608 clover fern, pepperwort +n12957803 nardoo, nardo, common nardoo, Marsilea drummondii +n12957924 water clover, Marsilea quadrifolia +n12958261 pillwort, Pilularia globulifera +n12958615 regnellidium, Regnellidium diphyllum +n12959074 floating-moss, Salvinia rotundifolia, Salvinia auriculata +n12959538 mosquito fern, floating fern, Carolina pond fern, Azolla caroliniana +n12960378 adder's tongue, adder's tongue fern +n12960552 ribbon fern, Ophioglossum pendulum +n12960863 grape fern +n12961242 daisyleaf grape fern, daisy-leaved grape fern, Botrychium matricariifolium +n12961393 leathery grape fern, Botrychium multifidum +n12961536 rattlesnake fern, Botrychium virginianum +n12961879 flowering fern, Helminthostachys zeylanica +n12963628 powdery mildew +n12964920 Dutch elm fungus, Ceratostomella ulmi +n12965626 ergot, Claviceps purpurea +n12965951 rye ergot +n12966804 black root rot fungus, Xylaria mali +n12966945 dead-man's-fingers, dead-men's-fingers, Xylaria polymorpha +n12968136 sclerotinia +n12968309 brown cup +n12969131 earthball, false truffle, puffball, hard-skinned puffball +n12969425 Scleroderma citrinum, Scleroderma aurantium +n12969670 Scleroderma flavidium, star earthball +n12969927 Scleroderma bovista, smooth earthball +n12970193 Podaxaceae +n12970293 stalked puffball +n12970733 stalked puffball +n12971400 false truffle +n12971804 Rhizopogon idahoensis +n12972136 Truncocolumella citrina +n12973443 mucor +n12973791 rhizopus +n12973937 bread mold, Rhizopus nigricans +n12974987 slime mold, slime mould +n12975804 true slime mold, acellular slime mold, plasmodial slime mold, myxomycete +n12976198 cellular slime mold +n12976554 dictostylium +n12978076 pond-scum parasite +n12979316 potato wart fungus, Synchytrium endobioticum +n12979829 white fungus, Saprolegnia ferax +n12980080 water mold +n12980840 downy mildew, false mildew +n12981086 blue mold fungus, Peronospora tabacina +n12981301 onion mildew, Peronospora destructor +n12981443 tobacco mildew, Peronospora hyoscyami +n12981954 white rust +n12982468 pythium +n12982590 damping off fungus, Pythium debaryanum +n12982915 Phytophthora citrophthora +n12983048 Phytophthora infestans +n12983654 clubroot fungus, Plasmodiophora brassicae +n12983873 Geglossaceae +n12983961 Sarcosomataceae +n12984267 Rufous rubber cup +n12984489 devil's cigar +n12984595 devil's urn +n12985420 truffle, earthnut, earth-ball +n12985773 club fungus +n12985857 coral fungus +n12986227 tooth fungus +n12987056 lichen +n12987423 ascolichen +n12987535 basidiolichen +n12988158 lecanora +n12988341 manna lichen +n12988572 archil, orchil +n12989007 roccella, Roccella tinctoria +n12989938 beard lichen, beard moss, Usnea barbata +n12990597 horsehair lichen, horsetail lichen +n12991184 reindeer moss, reindeer lichen, arctic moss, Cladonia rangiferina +n12991837 crottle, crottal, crotal +n12992177 Iceland moss, Iceland lichen, Cetraria islandica +n12992868 fungus +n12994892 promycelium +n12995601 true fungus +n12997654 basidiomycete, basidiomycetous fungi +n12997919 mushroom +n12998815 agaric +n13000891 mushroom +n13001041 mushroom +n13001206 toadstool +n13001366 horse mushroom, Agaricus arvensis +n13001529 meadow mushroom, field mushroom, Agaricus campestris +n13001930 shiitake, shiitake mushroom, Chinese black mushroom, golden oak mushroom, Oriental black mushroom, Lentinus edodes +n13002209 scaly lentinus, Lentinus lepideus +n13002750 royal agaric, Caesar's agaric, Amanita caesarea +n13002925 false deathcap, Amanita mappa +n13003061 fly agaric, Amanita muscaria +n13003254 death cap, death cup, death angel, destroying angel, Amanita phalloides +n13003522 blushing mushroom, blusher, Amanita rubescens +n13003712 destroying angel, Amanita verna +n13004423 chanterelle, chantarelle, Cantharellus cibarius +n13004640 floccose chanterelle, Cantharellus floccosus +n13004826 pig's ears, Cantharellus clavatus +n13004992 cinnabar chanterelle, Cantharellus cinnabarinus +n13005329 jack-o-lantern fungus, jack-o-lantern, jack-a-lantern, Omphalotus illudens +n13005984 inky cap, inky-cap mushroom, Coprinus atramentarius +n13006171 shaggymane, shaggy cap, shaggymane mushroom, Coprinus comatus +n13006631 milkcap, Lactarius delicioso +n13006894 fairy-ring mushroom, Marasmius oreades +n13007034 fairy ring, fairy circle +n13007417 oyster mushroom, oyster fungus, oyster agaric, Pleurotus ostreatus +n13007629 olive-tree agaric, Pleurotus phosphoreus +n13008157 Pholiota astragalina +n13008315 Pholiota aurea, golden pholiota +n13008485 Pholiota destruens +n13008689 Pholiota flammans +n13008839 Pholiota flavida +n13009085 nameko, viscid mushroom, Pholiota nameko +n13009244 Pholiota squarrosa-adiposa +n13009429 Pholiota squarrosa, scaly pholiota +n13009656 Pholiota squarrosoides +n13010694 Stropharia ambigua +n13010951 Stropharia hornemannii +n13011221 Stropharia rugoso-annulata +n13011595 gill fungus +n13012253 Entoloma lividum, Entoloma sinuatum +n13012469 Entoloma aprile +n13012973 Chlorophyllum molybdites +n13013534 lepiota +n13013764 parasol mushroom, Lepiota procera +n13013965 poisonous parasol, Lepiota morgani +n13014097 Lepiota naucina +n13014265 Lepiota rhacodes +n13014409 American parasol, Lepiota americana +n13014581 Lepiota rubrotincta +n13014741 Lepiota clypeolaria +n13014879 onion stem, Lepiota cepaestipes +n13015509 pink disease fungus, Corticium salmonicolor +n13015688 bottom rot fungus, Corticium solani +n13016076 potato fungus, Pellicularia filamentosa, Rhizoctinia solani +n13016289 coffee fungus, Pellicularia koleroga +n13017102 blewits, Clitocybe nuda +n13017240 sandy mushroom, Tricholoma populinum +n13017439 Tricholoma pessundatum +n13017610 Tricholoma sejunctum +n13017789 man-on-a-horse, Tricholoma flavovirens +n13017979 Tricholoma venenata +n13018088 Tricholoma pardinum +n13018232 Tricholoma vaccinum +n13018407 Tricholoma aurantium +n13018906 Volvaria bombycina +n13019496 Pluteus aurantiorugosus +n13019643 Pluteus magnus, sawdust mushroom +n13019835 deer mushroom, Pluteus cervinus +n13020191 straw mushroom, Chinese mushroom, Volvariella volvacea +n13020481 Volvariella bombycina +n13020964 Clitocybe clavipes +n13021166 Clitocybe dealbata +n13021332 Clitocybe inornata +n13021543 Clitocybe robusta, Clytocybe alba +n13021689 Clitocybe irina, Tricholoma irinum, Lepista irina +n13021867 Clitocybe subconnexa +n13022210 winter mushroom, Flammulina velutipes +n13022709 mycelium +n13022903 sclerotium +n13023134 sac fungus +n13024012 ascomycete, ascomycetous fungus +n13024500 Clavicipitaceae, grainy club mushrooms +n13024653 grainy club +n13025647 yeast +n13025854 baker's yeast, brewer's yeast, Saccharomyces cerevisiae +n13026015 wine-maker's yeast, Saccharomyces ellipsoides +n13027557 Aspergillus fumigatus +n13027879 brown root rot fungus, Thielavia basicola +n13028611 discomycete, cup fungus +n13028937 Leotia lubrica +n13029122 Mitrula elegans +n13029326 Sarcoscypha coccinea, scarlet cup +n13029610 Caloscypha fulgens +n13029760 Aleuria aurantia, orange peel fungus +n13030337 elf cup +n13030616 Peziza domicilina +n13030852 blood cup, fairy cup, Peziza coccinea +n13031193 Urnula craterium, urn fungus +n13031323 Galiella rufa +n13031474 Jafnea semitosta +n13032115 morel +n13032381 common morel, Morchella esculenta, sponge mushroom, sponge morel +n13032618 Disciotis venosa, cup morel +n13032923 Verpa, bell morel +n13033134 Verpa bohemica, early morel +n13033396 Verpa conica, conic Verpa +n13033577 black morel, Morchella conica, conic morel, Morchella angusticeps, narrowhead morel +n13033879 Morchella crassipes, thick-footed morel +n13034062 Morchella semilibera, half-free morel, cow's head +n13034555 Wynnea americana +n13034788 Wynnea sparassoides +n13035241 false morel +n13035389 lorchel +n13035707 helvella +n13035925 Helvella crispa, miter mushroom +n13036116 Helvella acetabulum +n13036312 Helvella sulcata +n13036804 discina +n13037406 gyromitra +n13037585 Gyromitra californica, California false morel +n13037805 Gyromitra sphaerospora, round-spored gyromitra +n13038068 Gyromitra esculenta, brain mushroom, beefsteak morel +n13038376 Gyromitra infula, saddled-shaped false morel +n13038577 Gyromitra fastigiata, Gyromitra brunnea +n13038744 Gyromitra gigas +n13039349 gasteromycete, gastromycete +n13040303 stinkhorn, carrion fungus +n13040629 common stinkhorn, Phallus impudicus +n13040796 Phallus ravenelii +n13041312 dog stinkhorn, Mutinus caninus +n13041943 Calostoma lutescens +n13042134 Calostoma cinnabarina +n13042316 Calostoma ravenelii +n13042982 stinky squid, Pseudocolus fusiformis +n13043926 puffball, true puffball +n13044375 giant puffball, Calvatia gigantea +n13044778 earthstar +n13045210 Geastrum coronatum +n13045594 Radiigera fuscogleba +n13045975 Astreus pteridis +n13046130 Astreus hygrometricus +n13046669 bird's-nest fungus +n13047862 Gastrocybe lateritia +n13048447 Macowanites americanus +n13049953 polypore, pore fungus, pore mushroom +n13050397 bracket fungus, shelf fungus +n13050705 Albatrellus dispansus +n13050940 Albatrellus ovinus, sheep polypore +n13051346 Neolentinus ponderosus +n13052014 Oligoporus leucospongia +n13052248 Polyporus tenuiculus +n13052670 hen-of-the-woods, hen of the woods, Polyporus frondosus, Grifola frondosa +n13052931 Polyporus squamosus, scaly polypore +n13053608 beefsteak fungus, Fistulina hepatica +n13054073 agaric, Fomes igniarius +n13054560 bolete +n13055423 Boletus chrysenteron +n13055577 Boletus edulis +n13055792 Frost's bolete, Boletus frostii +n13055949 Boletus luridus +n13056135 Boletus mirabilis +n13056349 Boletus pallidus +n13056607 Boletus pulcherrimus +n13056799 Boletus pulverulentus +n13057054 Boletus roxanae +n13057242 Boletus subvelutipes +n13057422 Boletus variipes +n13057639 Boletus zelleri +n13058037 Fuscoboletinus paluster +n13058272 Fuscoboletinus serotinus +n13058608 Leccinum fibrillosum +n13059298 Suillus albivelatus +n13059657 old-man-of-the-woods, Strobilomyces floccopus +n13060017 Boletellus russellii +n13060190 jelly fungus +n13061172 snow mushroom, Tremella fuciformis +n13061348 witches' butter, Tremella lutescens +n13061471 Tremella foliacea +n13061704 Tremella reticulata +n13062421 Jew's-ear, Jew's-ears, ear fungus, Auricularia auricula +n13063269 rust, rust fungus +n13063514 aecium +n13064111 flax rust, flax rust fungus, Melampsora lini +n13064457 blister rust, Cronartium ribicola +n13065089 wheat rust, Puccinia graminis +n13065514 apple rust, cedar-apple rust, Gymnosporangium juniperi-virginianae +n13066129 smut, smut fungus +n13066448 covered smut +n13066979 loose smut +n13067191 cornsmut, corn smut +n13067330 boil smut, Ustilago maydis +n13067532 Sphacelotheca, genus Sphacelotheca +n13067672 head smut, Sphacelotheca reiliana +n13068255 bunt, Tilletia caries +n13068434 bunt, stinking smut, Tilletia foetida +n13068735 onion smut, Urocystis cepulae +n13068917 flag smut fungus +n13069224 wheat flag smut, Urocystis tritici +n13069773 felt fungus, Septobasidium pseudopedicellatum +n13070308 waxycap +n13070875 Hygrocybe acutoconica, conic waxycap +n13071371 Hygrophorus borealis +n13071553 Hygrophorus caeruleus +n13071815 Hygrophorus inocybiformis +n13072031 Hygrophorus kauffmanii +n13072209 Hygrophorus marzuolus +n13072350 Hygrophorus purpurascens +n13072528 Hygrophorus russula +n13072706 Hygrophorus sordidus +n13072863 Hygrophorus tennesseensis +n13073055 Hygrophorus turundus +n13073703 Neohygrophorus angelesianus +n13074619 Cortinarius armillatus +n13074814 Cortinarius atkinsonianus +n13075020 Cortinarius corrugatus +n13075272 Cortinarius gentilis +n13075441 Cortinarius mutabilis, purple-staining Cortinarius +n13075684 Cortinarius semisanguineus +n13075847 Cortinarius subfoetidus +n13076041 Cortinarius violaceus +n13076405 Gymnopilus spectabilis +n13076643 Gymnopilus validipes +n13076831 Gymnopilus ventricosus +n13077033 mold, mould +n13077295 mildew +n13078021 verticillium +n13079073 monilia +n13079419 candida +n13079567 Candida albicans, Monilia albicans +n13080306 blastomycete +n13080866 yellow spot fungus, Cercospora kopkei +n13081229 green smut fungus, Ustilaginoidea virens +n13081999 dry rot +n13082568 rhizoctinia +n13083023 houseplant +n13083461 bedder, bedding plant +n13084184 succulent +n13084834 cultivar +n13085113 weed +n13085747 wort +n13090018 brier +n13090871 aril +n13091620 sporophyll, sporophyl +n13091774 sporangium, spore case, spore sac +n13091982 sporangiophore +n13092078 ascus +n13092240 ascospore +n13092385 arthrospore +n13092987 eusporangium +n13093275 tetrasporangium +n13093629 gametangium +n13094145 sorus +n13094273 sorus +n13095013 partial veil +n13096779 lignum +n13098515 vascular ray, medullary ray +n13098962 phloem, bast +n13099833 evergreen, evergreen plant +n13099999 deciduous plant +n13100156 poisonous plant +n13100677 vine +n13102648 creeper +n13102775 tendril +n13103023 root climber +n13103660 lignosae +n13103750 arborescent plant +n13103877 snag +n13104059 tree +n13107694 timber tree +n13107807 treelet +n13107891 arbor +n13108131 bean tree +n13108323 pollard +n13108481 sapling +n13108545 shade tree +n13108662 gymnospermous tree +n13108841 conifer, coniferous tree +n13109733 angiospermous tree, flowering tree +n13110915 nut tree +n13111174 spice tree +n13111340 fever tree +n13111504 stump, tree stump +n13111881 bonsai +n13112035 ming tree +n13112201 ming tree +n13118330 undershrub +n13118707 subshrub, suffrutex +n13119870 bramble +n13120211 liana +n13120958 geophyte +n13121104 desert plant, xerophyte, xerophytic plant, xerophile, xerophilous plant +n13121349 mesophyte, mesophytic plant +n13122364 marsh plant, bog plant, swamp plant +n13123309 hemiepiphyte, semiepiphyte +n13123431 strangler, strangler tree +n13123841 lithophyte, lithophytic plant +n13124358 saprobe +n13124654 autophyte, autophytic plant, autotroph, autotrophic organism +n13125117 root +n13126050 taproot +n13126856 prop root +n13127001 prophyll +n13127303 rootstock +n13127666 quickset +n13127843 stolon, runner, offset +n13128278 tuberous plant +n13128582 rhizome, rootstock, rootstalk +n13128976 rachis +n13129078 caudex +n13130014 cladode, cladophyll, phylloclad, phylloclade +n13130161 receptacle +n13130726 scape, flower stalk +n13131028 umbel +n13131618 petiole, leafstalk +n13132034 peduncle +n13132156 pedicel, pedicle +n13132338 flower cluster +n13132486 raceme +n13132656 panicle +n13132756 thyrse, thyrsus +n13132940 cyme +n13133140 cymule +n13133233 glomerule +n13133316 scorpioid cyme +n13133613 ear, spike, capitulum +n13133932 spadix +n13134302 bulbous plant +n13134531 bulbil, bulblet +n13134844 cormous plant +n13134947 fruit +n13135692 fruitlet +n13135832 seed +n13136316 bean +n13136556 nut +n13136781 nutlet +n13137010 kernel, meat +n13137225 syconium +n13137409 berry +n13137672 aggregate fruit, multiple fruit, syncarp +n13137951 simple fruit, bacca +n13138155 acinus +n13138308 drupe, stone fruit +n13138658 drupelet +n13138842 pome, false fruit +n13139055 pod, seedpod +n13139321 loment +n13139482 pyxidium, pyxis +n13139647 husk +n13139837 cornhusk +n13140049 pod, cod, seedcase +n13140367 accessory fruit, pseudocarp +n13141141 buckthorn +n13141415 buckthorn berry, yellow berry +n13141564 cascara buckthorn, bearberry, bearwood, chittamwood, chittimwood, Rhamnus purshianus +n13141797 cascara, cascara sagrada, chittam bark, chittem bark +n13141972 Carolina buckthorn, indian cherry, Rhamnus carolinianus +n13142182 coffeeberry, California buckthorn, California coffee, Rhamnus californicus +n13142504 redberry, red-berry, Rhamnus croceus +n13142907 nakedwood +n13143285 jujube, jujube bush, Christ's-thorn, Jerusalem thorn, Ziziphus jujuba +n13143758 Christ's-thorn, Jerusalem thorn, Paliurus spina-christi +n13144084 hazel, hazel tree, Pomaderris apetala +n13145040 fox grape, Vitis labrusca +n13145250 muscadine, Vitis rotundifolia +n13145444 vinifera, vinifera grape, common grape vine, Vitis vinifera +n13146403 Pinot blanc +n13146583 Sauvignon grape +n13146928 Sauvignon blanc +n13147153 Muscadet +n13147270 Riesling +n13147386 Zinfandel +n13147532 Chenin blanc +n13147689 malvasia +n13147918 Verdicchio +n13148208 Boston ivy, Japanese ivy, Parthenocissus tricuspidata +n13148384 Virginia creeper, American ivy, woodbine, Parthenocissus quinquefolia +n13149296 true pepper, pepper vine +n13149970 betel, betel pepper, Piper betel +n13150378 cubeb +n13150592 schizocarp +n13150894 peperomia +n13151082 watermelon begonia, Peperomia argyreia, Peperomia sandersii +n13152339 yerba mansa, Anemopsis californica +n13154388 pinna, pinnule +n13154494 frond +n13154841 bract +n13155095 bracteole, bractlet +n13155305 involucre +n13155611 glume +n13156986 palmate leaf +n13157137 pinnate leaf +n13157346 bijugate leaf, bijugous leaf, twice-pinnate +n13157481 decompound leaf +n13157684 acuminate leaf +n13157971 deltoid leaf +n13158167 ensiform leaf +n13158512 linear leaf, elongate leaf +n13158605 lyrate leaf +n13158714 obtuse leaf +n13158815 oblanceolate leaf +n13159357 pandurate leaf, panduriform leaf +n13159691 reniform leaf +n13159890 spatulate leaf +n13160116 even-pinnate leaf, abruptly-pinnate leaf +n13160254 odd-pinnate leaf +n13160365 pedate leaf +n13160604 crenate leaf +n13160831 dentate leaf +n13160938 denticulate leaf +n13161151 erose leaf +n13161254 runcinate leaf +n13161904 prickly-edged leaf +n13163553 deadwood +n13163649 haulm, halm +n13163991 branchlet, twig, sprig +n13164501 osier +n13170840 giant scrambling fern, Diplopterygium longissimum +n13171210 umbrella fern, fan fern, Sticherus flabellatus, Gleichenia flabellata +n13171797 floating fern, water sprite, Ceratopteris pteridioides +n13172923 polypody +n13173132 licorice fern, Polypodium glycyrrhiza +n13173259 grey polypody, gray polypody, resurrection fern, Polypodium polypodioides +n13173488 leatherleaf, leathery polypody, coast polypody, Polypodium scouleri +n13173697 rock polypody, rock brake, American wall fern, Polypodium virgianum +n13173882 common polypody, adder's fern, wall fern, golden maidenhair, golden polypody, sweet fern, Polypodium vulgare +n13174354 bear's-paw fern, Aglaomorpha meyeniana +n13174670 strap fern +n13174823 Florida strap fern, cow-tongue fern, hart's-tongue fern +n13175682 basket fern, Drynaria rigidula +n13176363 snake polypody, Microgramma-piloselloides +n13176714 climbing bird's nest fern, Microsorium punctatum +n13177048 golden polypody, serpent fern, rabbit's-foot fern, Phlebodium aureum, Polypodium aureum +n13177529 staghorn fern +n13177768 South American staghorn, Platycerium andinum +n13177884 common staghorn fern, elkhorn fern, Platycerium bifurcatum, Platycerium alcicorne +n13178284 felt fern, tongue fern, Pyrrosia lingua, Cyclophorus lingua +n13178707 potato fern, Solanopteris bifrons +n13179056 myrmecophyte +n13179804 grass fern, ribbon fern, Vittaria lineata +n13180534 spleenwort +n13180875 black spleenwort, Asplenium adiantum-nigrum +n13181055 bird's nest fern, Asplenium nidus +n13181244 ebony spleenwort, Scott's Spleenwort, Asplenium platyneuron +n13181406 black-stem spleenwort, black-stemmed spleenwort, little ebony spleenwort +n13181811 walking fern, walking leaf, Asplenium rhizophyllum, Camptosorus rhizophyllus +n13182164 green spleenwort, Asplenium viride +n13182338 mountain spleenwort, Asplenium montanum +n13182799 lobed spleenwort, Asplenium pinnatifidum +n13182937 lanceolate spleenwort, Asplenium billotii +n13183056 hart's-tongue, hart's-tongue fern, Asplenium scolopendrium, Phyllitis scolopendrium +n13183489 scale fern, scaly fern, Asplenium ceterach, Ceterach officinarum +n13184394 scolopendrium +n13185269 deer fern, Blechnum spicant +n13185658 doodia, rasp fern +n13186388 chain fern +n13186546 Virginia chain fern, Woodwardia virginica +n13187367 silver tree fern, sago fern, black tree fern, Cyathea medullaris +n13188096 davallia +n13188268 hare's-foot fern +n13188462 Canary Island hare's foot fern, Davallia canariensis +n13188767 squirrel's-foot fern, ball fern, Davalia bullata, Davalia bullata mariesii, Davallia Mariesii +n13190060 bracken, Pteridium esculentum +n13190747 soft tree fern, Dicksonia antarctica +n13191148 Scythian lamb, Cibotium barometz +n13191620 false bracken, Culcita dubia +n13191884 thyrsopteris, Thyrsopteris elegans +n13192625 shield fern, buckler fern +n13193143 broad buckler-fern, Dryopteris dilatata +n13193269 fragrant cliff fern, fragrant shield fern, fragrant wood fern, Dryopteris fragrans +n13193466 Goldie's fern, Goldie's shield fern, goldie's wood fern, Dryopteris goldiana +n13193642 wood fern, wood-fern, woodfern +n13193856 male fern, Dryopteris filix-mas +n13194036 marginal wood fern, evergreen wood fern, leatherleaf wood fern, Dryopteris marginalis +n13194212 mountain male fern, Dryopteris oreades +n13194572 lady fern, Athyrium filix-femina +n13194758 Alpine lady fern, Athyrium distentifolium +n13194918 silvery spleenwort, glade fern, narrow-leaved spleenwort, Athyrium pycnocarpon, Diplazium pycnocarpon +n13195341 holly fern, Cyrtomium aculeatum, Polystichum aculeatum +n13195761 bladder fern +n13196003 brittle bladder fern, brittle fern, fragile fern, Cystopteris fragilis +n13196234 mountain bladder fern, Cystopteris montana +n13196369 bulblet fern, bulblet bladder fern, berry fern, Cystopteris bulbifera +n13196738 silvery spleenwort, Deparia acrostichoides, Athyrium thelypteroides +n13197274 oak fern, Gymnocarpium dryopteris, Thelypteris dryopteris +n13197507 limestone fern, northern oak fern, Gymnocarpium robertianum +n13198054 ostrich fern, shuttlecock fern, fiddlehead, Matteuccia struthiopteris, Pteretis struthiopteris, Onoclea struthiopteris +n13198482 hart's-tongue, hart's-tongue fern, Olfersia cervina, Polybotrya cervina, Polybotria cervina +n13198914 sensitive fern, bead fern, Onoclea sensibilis +n13199717 Christmas fern, canker brake, dagger fern, evergreen wood fern, Polystichum acrostichoides +n13199970 holly fern +n13200193 Braun's holly fern, prickly shield fern, Polystichum braunii +n13200542 western holly fern, Polystichum scopulinum +n13200651 soft shield fern, Polystichum setiferum +n13200986 leather fern, leatherleaf fern, ten-day fern, Rumohra adiantiformis, Polystichum adiantiformis +n13201423 button fern, Tectaria cicutaria +n13201566 Indian button fern, Tectaria macrodonta +n13201969 woodsia +n13202125 rusty woodsia, fragrant woodsia, oblong woodsia, Woodsia ilvensis +n13202355 Alpine woodsia, northern woodsia, flower-cup fern, Woodsia alpina +n13202602 smooth woodsia, Woodsia glabella +n13205058 Boston fern, Nephrolepis exaltata, Nephrolepis exaltata bostoniensis +n13205249 basket fern, toothed sword fern, Nephrolepis pectinata +n13206178 golden fern, leather fern, Acrostichum aureum +n13206817 maidenhair, maidenhair fern +n13207094 common maidenhair, Venushair, Venus'-hair fern, southern maidenhair, Venus maidenhair, Adiantum capillus-veneris +n13207335 American maidenhair fern, five-fingered maidenhair fern, Adiantum pedatum +n13207572 Bermuda maidenhair, Bermuda maidenhair fern, Adiantum bellum +n13207736 brittle maidenhair, brittle maidenhair fern, Adiantum tenerum +n13207923 Farley maidenhair, Farley maidenhair fern, Barbados maidenhair, glory fern, Adiantum tenerum farleyense +n13208302 annual fern, Jersey fern, Anogramma leptophylla +n13208705 lip fern, lipfern +n13208965 smooth lip fern, Alabama lip fern, Cheilanthes alabamensis +n13209129 lace fern, Cheilanthes gracillima +n13209270 wooly lip fern, hairy lip fern, Cheilanthes lanosa +n13209460 southwestern lip fern, Cheilanthes eatonii +n13209808 bamboo fern, Coniogramme japonica +n13210350 American rock brake, American parsley fern, Cryptogramma acrostichoides +n13210597 European parsley fern, mountain parsley fern, Cryptogramma crispa +n13211020 hand fern, Doryopteris pedata +n13211790 cliff brake, cliff-brake, rock brake +n13212025 coffee fern, Pellaea andromedifolia +n13212175 purple rock brake, Pellaea atropurpurea +n13212379 bird's-foot fern, Pellaea mucronata, Pellaea ornithopus +n13212559 button fern, Pellaea rotundifolia +n13213066 silver fern, Pityrogramma argentea +n13213397 golden fern, Pityrogramma calomelanos aureoflava +n13213577 gold fern, Pityrogramma chrysophylla +n13214217 Pteris cretica +n13214340 spider brake, spider fern, Pteris multifida +n13214485 ribbon fern, spider fern, Pteris serrulata +n13215258 potato fern, Marattia salicina +n13215586 angiopteris, giant fern, Angiopteris evecta +n13217005 skeleton fork fern, Psilotum nudum +n13219422 horsetail +n13219833 common horsetail, field horsetail, Equisetum arvense +n13219976 swamp horsetail, water horsetail, Equisetum fluviatile +n13220122 scouring rush, rough horsetail, Equisetum hyemale, Equisetum hyemale robustum, Equisetum robustum +n13220355 marsh horsetail, Equisetum palustre +n13220525 wood horsetail, Equisetum Sylvaticum +n13220663 variegated horsetail, variegated scouring rush, Equisetum variegatum +n13221529 club moss, club-moss, lycopod +n13222877 shining clubmoss, Lycopodium lucidulum +n13222985 alpine clubmoss, Lycopodium alpinum +n13223090 fir clubmoss, mountain clubmoss, little clubmoss, Lycopodium selago +n13223588 ground cedar, staghorn moss, Lycopodium complanatum +n13223710 ground fir, princess pine, tree clubmoss, Lycopodium obscurum +n13223843 foxtail grass, Lycopodium alopecuroides +n13224673 spikemoss, spike moss, little club moss +n13224922 meadow spikemoss, basket spikemoss, Selaginella apoda +n13225244 desert selaginella, Selaginella eremophila +n13225365 resurrection plant, rose of Jericho, Selaginella lepidophylla +n13225617 florida selaginella, Selaginella eatonii +n13226320 quillwort +n13226871 earthtongue, earth-tongue +n13228017 snuffbox fern, meadow fern, Thelypteris palustris pubescens, Dryopteris thelypteris pubescens +n13228536 christella +n13229543 mountain fern, Oreopteris limbosperma, Dryopteris oreopteris +n13229951 New York fern, Parathelypteris novae-boracensis, Dryopteris noveboracensis +n13230190 Massachusetts fern, Parathelypteris simulata, Thelypteris simulata +n13230662 beech fern +n13230843 broad beech fern, southern beech fern, Phegopteris hexagonoptera, Dryopteris hexagonoptera, Thelypteris hexagonoptera +n13231078 long beech fern, narrow beech fern, northern beech fern, Phegopteris connectilis, Dryopteris phegopteris, Thelypteris phegopteris +n13231678 shoestring fungus +n13231919 Armillaria caligata, booted armillaria +n13232106 Armillaria ponderosa, white matsutake +n13232363 Armillaria zelleri +n13232779 honey mushroom, honey fungus, Armillariella mellea +n13233727 milkweed, silkweed +n13234114 white milkweed, Asclepias albicans +n13234519 poke milkweed, Asclepias exaltata +n13234678 swamp milkweed, Asclepias incarnata +n13234857 Mead's milkweed, Asclepias meadii, Asclepia meadii +n13235011 purple silkweed, Asclepias purpurascens +n13235159 showy milkweed, Asclepias speciosa +n13235319 poison milkweed, horsetail milkweed, Asclepias subverticillata +n13235503 butterfly weed, orange milkweed, chigger flower, chiggerflower, pleurisy root, tuber root, Indian paintbrush, Asclepias tuberosa +n13235766 whorled milkweed, Asclepias verticillata +n13236100 cruel plant, Araujia sericofera +n13237188 wax plant, Hoya carnosa +n13237508 silk vine, Periploca graeca +n13238375 stapelia, carrion flower, starfish flower +n13238654 Stapelias asterias +n13238988 stephanotis +n13239177 Madagascar jasmine, waxflower, Stephanotis floribunda +n13239736 negro vine, Vincetoxicum hirsutum, Vincetoxicum negrum +n13239921 zygospore +n13240362 tree of knowledge +n13252672 orangery +n13354021 pocketbook +n13555775 shit, dump +n13579829 cordage +n13650447 yard, pace +n13653902 extremum, peak +n13862407 leaf shape, leaf form +n13862552 equilateral +n13862780 figure +n13863020 pencil +n13863186 plane figure, two-dimensional figure +n13863473 solid figure, three-dimensional figure +n13863771 line +n13864035 bulb +n13864153 convex shape, convexity +n13864965 concave shape, concavity, incurvation, incurvature +n13865298 cylinder +n13865483 round shape +n13865904 heart +n13866144 polygon, polygonal shape +n13866626 convex polygon +n13866827 concave polygon +n13867005 reentrant polygon, reentering polygon +n13867492 amorphous shape +n13868248 closed curve +n13868371 simple closed curve, Jordan curve +n13868515 S-shape +n13868944 wave, undulation +n13869045 extrados +n13869547 hook, crotchet +n13869788 envelope +n13869896 bight +n13871717 diameter +n13872592 cone, conoid, cone shape +n13872822 funnel, funnel shape +n13873361 oblong +n13873502 circle +n13873917 circle +n13874073 equator +n13874558 scallop, crenation, crenature, crenel, crenelle +n13875392 ring, halo, annulus, doughnut, anchor ring +n13875571 loop +n13875884 bight +n13876561 helix, spiral +n13877547 element of a cone +n13877667 element of a cylinder +n13878306 ellipse, oval +n13879049 quadrate +n13879320 triangle, trigon, trilateral +n13879816 acute triangle, acute-angled triangle +n13880199 isosceles triangle +n13880415 obtuse triangle, obtuse-angled triangle +n13880551 right triangle, right-angled triangle +n13880704 scalene triangle +n13880994 parallel +n13881512 trapezoid +n13881644 star +n13882201 pentagon +n13882276 hexagon +n13882487 heptagon +n13882563 octagon +n13882639 nonagon +n13882713 decagon +n13882961 rhombus, rhomb, diamond +n13883603 spherical polygon +n13883763 spherical triangle +n13884261 convex polyhedron +n13884384 concave polyhedron +n13884930 cuboid +n13885011 quadrangular prism +n13886260 bell, bell shape, campana +n13888491 angular distance +n13889066 true anomaly +n13889331 spherical angle +n13891547 angle of refraction +n13891937 acute angle +n13893786 groove, channel +n13894154 rut +n13894434 bulge, bump, hump, swelling, gibbosity, gibbousness, jut, prominence, protuberance, protrusion, extrusion, excrescence +n13895262 belly +n13896100 bow, arc +n13896217 crescent +n13897198 ellipsoid +n13897528 hypotenuse +n13897996 balance, equilibrium, equipoise, counterbalance +n13898207 conformation +n13898315 symmetry, proportion +n13898645 spheroid, ellipsoid of revolution +n13899735 spherule +n13900287 toroid +n13900422 column, tower, pillar +n13901211 barrel, drum +n13901321 pipe, tube +n13901423 pellet +n13901490 bolus +n13901858 dewdrop +n13902048 ridge +n13902336 rim +n13902793 taper +n13903079 boundary, edge, bound +n13905121 incisure, incisura +n13905275 notch +n13905792 wrinkle, furrow, crease, crinkle, seam, line +n13906484 dermatoglyphic +n13906669 frown line +n13906767 line of life, life line, lifeline +n13906936 line of heart, heart line, love line, mensal line +n13907272 crevice, cranny, crack, fissure, chap +n13908201 cleft +n13908580 roulette, line roulette +n13911045 node +n13912260 tree, tree diagram +n13912540 stemma +n13914141 brachium +n13914265 fork, crotch +n13914608 block, cube +n13915023 ovoid +n13915113 tetrahedron +n13915209 pentahedron +n13915305 hexahedron +n13915999 regular polyhedron, regular convex solid, regular convex polyhedron, Platonic body, Platonic solid, ideal solid +n13916363 polyhedral angle +n13916721 cube, regular hexahedron +n13917690 truncated pyramid +n13917785 truncated cone +n13918274 tail, tail end +n13918387 tongue, knife +n13918717 trapezohedron +n13919547 wedge, wedge shape, cuneus +n13919919 keel +n13926786 place, shoes +n14131950 herpes +n14175579 chlamydia +n14564779 wall +n14582716 micronutrient +n14583400 chyme +n14585392 ragweed pollen +n14592309 pina cloth +n14603798 chlorobenzylidenemalononitrile, CS gas +n14633206 carbon, C, atomic number 6 +n14685296 charcoal, wood coal +n14696793 rock, stone +n14698884 gravel, crushed rock +n14714645 aflatoxin +n14720833 alpha-tocopheral +n14765422 leopard +n14785065 bricks and mortar +n14786943 lagging +n14804958 hydraulic cement, Portland cement +n14810561 choline +n14820180 concrete +n14821852 glass wool +n14844693 soil, dirt +n14853210 high explosive +n14858292 litter +n14867545 fish meal +n14891255 Greek fire +n14899328 culture medium, medium +n14900184 agar, nutrient agar +n14900342 blood agar +n14908027 hip tile, hipped tile +n14909584 hyacinth, jacinth +n14914945 hydroxide ion, hydroxyl ion +n14915184 ice, water ice +n14919819 inositol +n14938389 linoleum, lino +n14941787 lithia water +n14942411 lodestone, loadstone +n14973585 pantothenic acid, pantothen +n14974264 paper +n14975598 papyrus +n14976759 pantile +n14976871 blacktop, blacktopping +n14977188 tarmacadam, tarmac +n14977504 paving, pavement, paving material +n14992287 plaster +n14993378 poison gas +n15005577 ridge tile +n15006012 roughcast +n15019030 sand +n15048888 spackle, spackling compound +n15060326 render +n15060688 wattle and daub +n15062057 stucco +n15067877 tear gas, teargas, lacrimator, lachrymator +n15075141 toilet tissue, toilet paper, bathroom tissue +n15086247 linseed, flaxseed +n15089258 vitamin +n15089472 fat-soluble vitamin +n15089645 water-soluble vitamin +n15089803 vitamin A, antiophthalmic factor, axerophthol, A +n15090065 vitamin A1, retinol +n15090238 vitamin A2, dehydroretinol +n15090742 B-complex vitamin, B complex, vitamin B complex, vitamin B, B vitamin, B +n15091129 vitamin B1, thiamine, thiamin, aneurin, antiberiberi factor +n15091304 vitamin B12, cobalamin, cyanocobalamin, antipernicious anemia factor +n15091473 vitamin B2, vitamin G, riboflavin, lactoflavin, ovoflavin, hepatoflavin +n15091669 vitamin B6, pyridoxine, pyridoxal, pyridoxamine, adermin +n15091846 vitamin Bc, vitamin M, folate, folic acid, folacin, pteroylglutamic acid, pteroylmonoglutamic acid +n15092059 niacin, nicotinic acid +n15092227 vitamin D, calciferol, viosterol, ergocalciferol, cholecalciferol, D +n15092409 vitamin E, tocopherol, E +n15092650 biotin, vitamin H +n15092751 vitamin K, naphthoquinone, antihemorrhagic factor +n15092942 vitamin K1, phylloquinone, phytonadione +n15093049 vitamin K3, menadione +n15093137 vitamin P, bioflavinoid, citrin +n15093298 vitamin C, C, ascorbic acid +n15102359 planking +n15102455 chipboard, hardboard +n15102894 knothole diff --git a/results/imagenet_synsets.txt b/timm/data/_info/imagenet_synsets.txt similarity index 100% rename from results/imagenet_synsets.txt rename to timm/data/_info/imagenet_synsets.txt diff --git a/timm/data/dataset_info.py b/timm/data/dataset_info.py new file mode 100644 index 00000000..107c3318 --- /dev/null +++ b/timm/data/dataset_info.py @@ -0,0 +1,32 @@ +from abc import ABC, abstractmethod +from typing import Dict, List, Union + + +class DatasetInfo(ABC): + + def __init__(self): + pass + + @abstractmethod + def num_classes(self): + pass + + @abstractmethod + def label_names(self): + pass + + @abstractmethod + def label_descriptions(self, detailed: bool = False, as_dict: bool = False) -> Union[List[str], Dict[str, str]]: + pass + + @abstractmethod + def index_to_label_name(self, index) -> str: + pass + + @abstractmethod + def index_to_description(self, index: int, detailed: bool = False) -> str: + pass + + @abstractmethod + def label_name_to_description(self, label: str, detailed: bool = False) -> str: + pass \ No newline at end of file diff --git a/timm/data/imagenet_info.py b/timm/data/imagenet_info.py new file mode 100644 index 00000000..6e5e9d6f --- /dev/null +++ b/timm/data/imagenet_info.py @@ -0,0 +1,92 @@ +import csv +import os +import pkgutil +import re +from typing import Dict, List, Optional, Union + +from .dataset_info import DatasetInfo + + +_NUM_CLASSES_TO_SUBSET = { + 1000: 'imagenet-1k', + 11821: 'imagenet-12k', + 21841: 'imagenet-22k', + 21843: 'imagenet-21k-goog', + 11221: 'imagenet-21k-miil', +} + +_SUBSETS = { + 'imagenet1k': 'imagenet_synsets.txt', + 'imagenet12k': 'imagenet12k_synsets.txt', + 'imagenet22k': 'imagenet22k_synsets.txt', + 'imagenet21k': 'imagenet21k_goog_synsets.txt', + 'imagenet21kgoog': 'imagenet21k_goog_synsets.txt', + 'imagenet21kmiil': 'imagenet21k_miil_synsets.txt', +} +_LEMMA_FILE = 'imagenet_synset_to_lemma.txt' +_DEFINITION_FILE = 'imagenet_synset_to_definition.txt' + + +def infer_imagenet_subset(model_or_cfg) -> Optional[str]: + if isinstance(model_or_cfg, dict): + num_classes = model_or_cfg.get('num_classes', None) + else: + num_classes = getattr(model_or_cfg, 'num_classes', None) + if not num_classes: + pretrained_cfg = getattr(model_or_cfg, 'pretrained_cfg', {}) + # FIXME at some point pretrained_cfg should include dataset-tag, + # which will be more robust than a guess based on num_classes + num_classes = pretrained_cfg.get('num_classes', None) + if not num_classes or num_classes not in _NUM_CLASSES_TO_SUBSET: + return None + return _NUM_CLASSES_TO_SUBSET[num_classes] + + +class ImageNetInfo(DatasetInfo): + + def __init__(self, subset: str = 'imagenet-1k'): + super().__init__() + subset = re.sub(r'[-_\s]', '', subset.lower()) + assert subset in _SUBSETS, f'Unknown imagenet subset {subset}.' + + # WordNet synsets (part-of-speach + offset) are the unique class label names for ImageNet classifiers + synset_file = _SUBSETS[subset] + synset_data = pkgutil.get_data(__name__, os.path.join('_info', synset_file)) + self._synsets = synset_data.decode('utf-8').splitlines() + + # WordNet lemmas (canonical dictionary form of word) and definitions are used to build + # the class descriptions. If detailed=True both are used, otherwise just the lemmas. + lemma_data = pkgutil.get_data(__name__, os.path.join('_info', _LEMMA_FILE)) + reader = csv.reader(lemma_data.decode('utf-8').splitlines(), delimiter='\t') + self._lemmas = dict(reader) + definition_data = pkgutil.get_data(__name__, os.path.join('_info', _DEFINITION_FILE)) + reader = csv.reader(definition_data.decode('utf-8').splitlines(), delimiter='\t') + self._definitions = dict(reader) + + def num_classes(self): + return len(self._synsets) + + def label_names(self): + return self._synsets + + def label_descriptions(self, detailed: bool = False, as_dict: bool = False) -> Union[List[str], Dict[str, str]]: + if as_dict: + return {label: self.label_name_to_description(label, detailed=detailed) for label in self._synsets} + else: + return [self.label_name_to_description(label, detailed=detailed) for label in self._synsets] + + def index_to_label_name(self, index) -> str: + assert 0 <= index < len(self._synsets), \ + f'Index ({index}) out of range for dataset with {len(self._synsets)} classes.' + return self._synsets[index] + + def index_to_description(self, index: int, detailed: bool = False) -> str: + label = self.index_to_label_name(index) + return self.label_name_to_description(label, detailed=detailed) + + def label_name_to_description(self, label: str, detailed: bool = False) -> str: + if detailed: + description = f'{self._lemmas[label]}: {self._definitions[label]}' + else: + description = f'{self._lemmas[label]}' + return description diff --git a/timm/data/real_labels.py b/timm/data/real_labels.py index 939c3486..20f1b319 100644 --- a/timm/data/real_labels.py +++ b/timm/data/real_labels.py @@ -7,14 +7,19 @@ Hacked together by / Copyright 2020 Ross Wightman import os import json import numpy as np +import pkgutil class RealLabelsImagenet: - def __init__(self, filenames, real_json='real.json', topk=(1, 5)): - with open(real_json) as real_labels: - real_labels = json.load(real_labels) - real_labels = {f'ILSVRC2012_val_{i + 1:08d}.JPEG': labels for i, labels in enumerate(real_labels)} + def __init__(self, filenames, real_json=None, topk=(1, 5)): + if real_json is not None: + with open(real_json) as real_labels: + real_labels = json.load(real_labels) + else: + real_labels = json.loads( + pkgutil.get_data(__name__, os.path.join('_info', 'imagenet_real_labels.json')).decode('utf-8')) + real_labels = {f'ILSVRC2012_val_{i + 1:08d}.JPEG': labels for i, labels in enumerate(real_labels)} self.real_labels = real_labels self.filenames = filenames assert len(self.filenames) == len(self.real_labels)